diff --git a/core/java/android/app/ActivityManagerInternal.java b/core/java/android/app/ActivityManagerInternal.java index a30238ac9e3c9..a13367aba430e 100644 --- a/core/java/android/app/ActivityManagerInternal.java +++ b/core/java/android/app/ActivityManagerInternal.java @@ -259,7 +259,7 @@ public abstract ComponentName startServiceInPackage(int uid, Intent service, String resolvedType, boolean fgRequired, String callingPackage, int userId, boolean allowBackgroundActivityStarts) throws TransactionTooLargeException; - public abstract void disconnectActivityFromServices(Object connectionHolder, Object conns); + public abstract void disconnectActivityFromServices(Object connectionHolder); public abstract void cleanUpServices(int userId, ComponentName component, Intent baseIntent); public abstract ActivityInfo getActivityInfoForUser(ActivityInfo aInfo, int userId); public abstract void ensureBootCompleted(); diff --git a/core/java/android/app/ActivityThread.java b/core/java/android/app/ActivityThread.java index 3f85d0426edd0..6481a26cbbaea 100644 --- a/core/java/android/app/ActivityThread.java +++ b/core/java/android/app/ActivityThread.java @@ -4333,13 +4333,14 @@ public void handleResumeActivity(IBinder token, boolean finalStateRequest, boole l.softInputMode = (l.softInputMode & (~WindowManager.LayoutParams.SOFT_INPUT_IS_FORWARD_NAVIGATION)) | forwardBit; - if (r.activity.mVisibleFromClient) { - ViewManager wm = a.getWindowManager(); - View decor = r.window.getDecorView(); - wm.updateViewLayout(decor, l); - } } + if (r.activity.mVisibleFromClient) { + ViewManager wm = a.getWindowManager(); + View decor = r.window.getDecorView(); + wm.updateViewLayout(decor, l); + } + r.activity.mVisibleFromServer = true; mNumVisibleActivities++; if (r.activity.mVisibleFromClient) { diff --git a/core/java/android/net/Network.java b/core/java/android/net/Network.java index 3f56def6d7d58..781cbf360a51f 100644 --- a/core/java/android/net/Network.java +++ b/core/java/android/net/Network.java @@ -105,6 +105,8 @@ public class Network implements Parcelable { // code search audits are possible. private final transient boolean mPrivateDnsBypass; + private java.net.Proxy mProxy = null; + /** * @hide */ @@ -315,6 +317,22 @@ private void maybeInitUrlConnectionFactory() { } } + private java.net.Proxy getProxy() throws IOException { + if (mProxy == null) { + final ConnectivityManager cm = ConnectivityManager.getInstanceOrNull(); + if (cm == null) { + throw new IOException("No ConnectivityManager yet constructed, please construct one"); + } + final ProxyInfo proxyInfo = cm.getProxyForNetwork(this); + if (proxyInfo != null) { + mProxy = proxyInfo.makeProxy(); + } else { + mProxy = java.net.Proxy.NO_PROXY; + } + } + return mProxy; + } + /** * Opens the specified {@link URL} on this {@code Network}, such that all traffic will be sent * on this Network. The URL protocol must be {@code HTTP} or {@code HTTPS}. @@ -325,19 +343,7 @@ private void maybeInitUrlConnectionFactory() { * @see java.net.URL#openConnection() */ public URLConnection openConnection(URL url) throws IOException { - final ConnectivityManager cm = ConnectivityManager.getInstanceOrNull(); - if (cm == null) { - throw new IOException("No ConnectivityManager yet constructed, please construct one"); - } - // TODO: Should this be optimized to avoid fetching the global proxy for every request? - final ProxyInfo proxyInfo = cm.getProxyForNetwork(this); - final java.net.Proxy proxy; - if (proxyInfo != null) { - proxy = proxyInfo.makeProxy(); - } else { - proxy = java.net.Proxy.NO_PROXY; - } - return openConnection(url, proxy); + return openConnection(url, getProxy()); } /** diff --git a/core/java/android/os/ZygoteProcess.java b/core/java/android/os/ZygoteProcess.java index 09e09e9f8a13e..9bcdceef61f1b 100644 --- a/core/java/android/os/ZygoteProcess.java +++ b/core/java/android/os/ZygoteProcess.java @@ -81,7 +81,7 @@ public class ZygoteProcess { * not be used if the devices has a DeviceConfig profile pushed to it that contains a value for * this key. */ - private static final String USAP_POOL_ENABLED_DEFAULT = "false"; + private static final String USAP_POOL_ENABLED_DEFAULT = "true"; /** * The name of the socket used to communicate with the primary zygote. diff --git a/core/java/android/provider/Settings.java b/core/java/android/provider/Settings.java index 39942791b47fc..0ac29790f5bbd 100644 --- a/core/java/android/provider/Settings.java +++ b/core/java/android/provider/Settings.java @@ -11445,6 +11445,12 @@ public boolean validate(@Nullable String value) { */ public static final String HARDWARE_KEYS_ENABLE = "hardware_keys_enable"; + /** + * Whether face unlock is allowed only on security view. + * @hide + */ + public static final String FACE_UNLOCK_ALWAYS_REQUIRE_SWIPE = "face_unlock_always_require_swipe"; + /** * This are the settings to be backed up. * diff --git a/core/java/android/security/net/config/PinSet.java b/core/java/android/security/net/config/PinSet.java index d3c975eb31014..87fcde943dbcd 100644 --- a/core/java/android/security/net/config/PinSet.java +++ b/core/java/android/security/net/config/PinSet.java @@ -22,6 +22,7 @@ /** @hide */ public final class PinSet { + private static Set algorithms; public static final PinSet EMPTY_PINSET = new PinSet(Collections.emptySet(), Long.MAX_VALUE); public final long expirationTime; @@ -36,10 +37,11 @@ public PinSet(Set pins, long expirationTime) { } Set getPinAlgorithms() { - // TODO: Cache this. - Set algorithms = new ArraySet(); - for (Pin pin : pins) { - algorithms.add(pin.digestAlgorithm); + if(algorithms == null){ + algorithms = new ArraySet(); + for (Pin pin : pins) { + algorithms.add(pin.digestAlgorithm); + } } return algorithms; } diff --git a/core/java/android/util/apk/ApkSignatureVerifier.java b/core/java/android/util/apk/ApkSignatureVerifier.java index 71c8e98a0faad..24d59dc983606 100644 --- a/core/java/android/util/apk/ApkSignatureVerifier.java +++ b/core/java/android/util/apk/ApkSignatureVerifier.java @@ -28,6 +28,8 @@ import android.content.pm.PackageParser.SigningDetails.SignatureSchemeVersion; import android.content.pm.Signature; import android.os.Trace; +import android.util.ArrayMap; +import android.util.Slog; import android.util.jar.StrictJarFile; import com.android.internal.util.ArrayUtils; @@ -46,6 +48,9 @@ import java.util.List; import java.util.concurrent.atomic.AtomicReference; import java.util.zip.ZipEntry; +import java.util.concurrent.ThreadPoolExecutor; +import java.util.concurrent.TimeUnit; +import java.util.concurrent.LinkedBlockingQueue; /** * Facade class that takes care of the details of APK verification on @@ -57,6 +62,12 @@ public class ApkSignatureVerifier { private static final AtomicReference sBuffer = new AtomicReference<>(); + private static final String TAG = "ApkSignatureVerifier"; + + // multithread verification + private static final int NUMBER_OF_CORES = + Runtime.getRuntime().availableProcessors() >= 4 ? 4 : Runtime.getRuntime().availableProcessors() ; + /** * Verifies the provided APK and returns the certificates associated with each signer. * @@ -160,8 +171,9 @@ public static PackageParser.SigningDetails verify(String apkPath, private static PackageParser.SigningDetails verifyV1Signature( String apkPath, boolean verifyFull) throws PackageParserException { - StrictJarFile jarFile = null; - + int objectNumber = verifyFull ? NUMBER_OF_CORES : 1; + StrictJarFile[] jarFile = new StrictJarFile[objectNumber]; + final ArrayMap strictJarFiles = new ArrayMap(); try { final Certificate[][] lastCerts; final Signature[] lastSigs; @@ -170,21 +182,23 @@ private static PackageParser.SigningDetails verifyV1Signature( // we still pass verify = true to ctor to collect certs, even though we're not checking // the whole jar. - jarFile = new StrictJarFile( - apkPath, - true, // collect certs - verifyFull); // whether to reject APK with stripped v2 signatures (b/27887819) + for (int i = 0; i < objectNumber; i++) { + jarFile[i] = new StrictJarFile( + apkPath, + true, // collect certs + verifyFull); // whether to reject APK with stripped v2 signatures (b/27887819) + } final List toVerify = new ArrayList<>(); // Gather certs from AndroidManifest.xml, which every APK must have, as an optimization // to not need to verify the whole APK when verifyFUll == false. - final ZipEntry manifestEntry = jarFile.findEntry( + final ZipEntry manifestEntry = jarFile[0].findEntry( PackageParser.ANDROID_MANIFEST_FILENAME); if (manifestEntry == null) { throw new PackageParserException(INSTALL_PARSE_FAILED_BAD_MANIFEST, "Package " + apkPath + " has no manifest"); } - lastCerts = loadCertificates(jarFile, manifestEntry); + lastCerts = loadCertificates(jarFile[0], manifestEntry); if (ArrayUtils.isEmpty(lastCerts)) { throw new PackageParserException(INSTALL_PARSE_FAILED_NO_CERTIFICATES, "Package " + apkPath + " has no certificates at entry " @@ -194,7 +208,7 @@ private static PackageParser.SigningDetails verifyV1Signature( // fully verify all contents, except for AndroidManifest.xml and the META-INF/ files. if (verifyFull) { - final Iterator i = jarFile.iterator(); + final Iterator i = jarFile[0].iterator(); while (i.hasNext()) { final ZipEntry entry = i.next(); if (entry.isDirectory()) continue; @@ -205,24 +219,93 @@ private static PackageParser.SigningDetails verifyV1Signature( toVerify.add(entry); } - + class VerificationData { + public Exception exception; + public int exceptionFlag; + public boolean wait; + public int index; + public Object objWaitAll; + public boolean shutDown; + } + VerificationData vData = new VerificationData(); + vData.objWaitAll = new Object(); + final ThreadPoolExecutor verificationExecutor = new ThreadPoolExecutor( + NUMBER_OF_CORES, + NUMBER_OF_CORES, + 1,/*keep alive time*/ + TimeUnit.SECONDS, + new LinkedBlockingQueue()); for (ZipEntry entry : toVerify) { - final Certificate[][] entryCerts = loadCertificates(jarFile, entry); - if (ArrayUtils.isEmpty(entryCerts)) { - throw new PackageParserException(INSTALL_PARSE_FAILED_NO_CERTIFICATES, - "Package " + apkPath + " has no certificates at entry " - + entry.getName()); + Runnable verifyTask = new Runnable(){ + public void run() { + try { + if (vData.exceptionFlag != 0 ) { + Slog.w(TAG, "VerifyV1 exit with exception " + vData.exceptionFlag); + return; + } + String tid = Long.toString(Thread.currentThread().getId()); + StrictJarFile tempJarFile; + synchronized (strictJarFiles) { + tempJarFile = strictJarFiles.get(tid); + if (tempJarFile == null) { + if (vData.index >= NUMBER_OF_CORES) { + vData.index = 0; + } + tempJarFile = jarFile[vData.index++]; + strictJarFiles.put(tid, tempJarFile); + } + } + final Certificate[][] entryCerts = loadCertificates(tempJarFile, entry); + if (ArrayUtils.isEmpty(entryCerts)) { + throw new PackageParserException(INSTALL_PARSE_FAILED_NO_CERTIFICATES, + "Package " + apkPath + " has no certificates at entry " + + entry.getName()); + } + + // make sure all entries use the same signing certs + final Signature[] entrySigs = convertToSignatures(entryCerts); + if (!Signature.areExactMatch(lastSigs, entrySigs)) { + throw new PackageParserException( + INSTALL_PARSE_FAILED_INCONSISTENT_CERTIFICATES, + "Package " + apkPath + " has mismatched certificates at entry " + + entry.getName()); + } + } catch (GeneralSecurityException e) { + synchronized (vData.objWaitAll) { + vData.exceptionFlag = INSTALL_PARSE_FAILED_CERTIFICATE_ENCODING; + vData.exception = e; + } + } catch (PackageParserException e) { + synchronized (vData.objWaitAll) { + vData.exceptionFlag = INSTALL_PARSE_FAILED_UNEXPECTED_EXCEPTION; + vData.exception = e; + } + } + }}; + synchronized (vData.objWaitAll) { + if (vData.exceptionFlag == 0) { + verificationExecutor.execute(verifyTask); + } } - - // make sure all entries use the same signing certs - final Signature[] entrySigs = convertToSignatures(entryCerts); - if (!Signature.areExactMatch(lastSigs, entrySigs)) { - throw new PackageParserException( - INSTALL_PARSE_FAILED_INCONSISTENT_CERTIFICATES, - "Package " + apkPath + " has mismatched certificates at entry " - + entry.getName()); + } + vData.wait = true; + verificationExecutor.shutdown(); + while (vData.wait) { + try { + if (vData.exceptionFlag != 0 && !vData.shutDown) { + Slog.w(TAG, "verifyV1 Exception " + vData.exceptionFlag); + verificationExecutor.shutdownNow(); + vData.shutDown = true; + } + vData.wait = !verificationExecutor.awaitTermination(50, + TimeUnit.MILLISECONDS); + } catch (InterruptedException e) { + Slog.w(TAG,"VerifyV1 interrupted while awaiting all threads done..."); } } + if (vData.exceptionFlag != 0) + throw new PackageParserException(vData.exceptionFlag, + "Failed to collect certificates from " + apkPath, vData.exception); } return new PackageParser.SigningDetails(lastSigs, SignatureSchemeVersion.JAR); } catch (GeneralSecurityException e) { @@ -232,8 +315,11 @@ private static PackageParser.SigningDetails verifyV1Signature( throw new PackageParserException(INSTALL_PARSE_FAILED_NO_CERTIFICATES, "Failed to collect certificates from " + apkPath, e); } finally { + strictJarFiles.clear(); Trace.traceEnd(TRACE_TAG_PACKAGE_MANAGER); - closeQuietly(jarFile); + for (int i = 0; i < objectNumber ; i++) { + closeQuietly(jarFile[i]); + } } } diff --git a/core/java/android/view/Choreographer.java b/core/java/android/view/Choreographer.java index 5f12c9049e1ac..e95b5caa4fa08 100644 --- a/core/java/android/view/Choreographer.java +++ b/core/java/android/view/Choreographer.java @@ -84,7 +84,6 @@ public final class Choreographer { // Prints debug messages about jank which was detected (low volume). private static final boolean DEBUG_JANK = false; - private static final boolean OPTS_INPUT = SystemProperties.getBoolean("persist.vendor.qti.inputopts.enable",false); // Prints debug messages about every frame and callback registered (high volume). private static final boolean DEBUG_FRAMES = false; @@ -152,11 +151,6 @@ protected Choreographer initialValue() { private static final int MSG_DO_SCHEDULE_VSYNC = 1; private static final int MSG_DO_SCHEDULE_CALLBACK = 2; - private static final int MOTION_EVENT_ACTION_DOWN = 0; - private static final int MOTION_EVENT_ACTION_UP = 1; - private static final int MOTION_EVENT_ACTION_MOVE = 2; - private static final int MOTION_EVENT_ACTION_CANCEL = 3; - // All frame callbacks posted by applications have this token. private static final Object FRAME_CALLBACK_TOKEN = new Object() { public String toString() { return "FRAME_CALLBACK_TOKEN"; } @@ -187,13 +181,7 @@ protected Choreographer initialValue() { private long mFrameIntervalNanos; private boolean mDebugPrintNextFrameTimeDelta; private int mFPSDivisor = 1; - private int mTouchMoveNum = -1; - private int mMotionEventType = -1; - private boolean mConsumedMove = false; - private boolean mConsumedDown = false; - private boolean mIsVsyncScheduled = false; - private long mLastTouchOptTimeNanos = 0; - private boolean mIsDoFrameProcessing = false; + /** * Contains information about the current frame for jank-tracking, * mainly timings of key events along with a bit of metadata about @@ -307,16 +295,6 @@ public static Choreographer getSfInstance() { return sSfThreadInstance.get(); } - /** - * {@hide} - */ - public void setMotionEventInfo(int motionEventType, int touchMoveNum) { - synchronized(this) { - mTouchMoveNum = touchMoveNum; - mMotionEventType = motionEventType; - } - } - /** * @return The Choreographer of the main thread, if it exists, or {@code null} otherwise. * @hide @@ -643,54 +621,6 @@ public long getLastFrameTimeNanos() { private void scheduleFrameLocked(long now) { if (!mFrameScheduled) { mFrameScheduled = true; - if (OPTS_INPUT) { - if (!mIsVsyncScheduled) { - long curr = System.nanoTime(); - boolean skipFlag = curr - mLastTouchOptTimeNanos < mFrameIntervalNanos; - Trace.traceBegin(Trace.TRACE_TAG_VIEW, "scheduleFrameLocked-mMotionEventType:" - + mMotionEventType + " mTouchMoveNum:"+ mTouchMoveNum - + " mConsumedDown:" + mConsumedDown - + " mConsumedMove:" + mConsumedMove - + " mIsDoFrameProcessing:" + mIsDoFrameProcessing - + " skip:" + skipFlag - + " diff:" + (curr - mLastTouchOptTimeNanos)); - Trace.traceEnd(Trace.TRACE_TAG_VIEW); - synchronized(this) { - switch(mMotionEventType) { - case MOTION_EVENT_ACTION_DOWN: - mConsumedMove = false; - if (!mConsumedDown && !skipFlag && !mIsDoFrameProcessing) { - Message msg = mHandler.obtainMessage(MSG_DO_FRAME); - msg.setAsynchronous(true); - mHandler.sendMessageAtFrontOfQueue(msg); - mLastTouchOptTimeNanos = System.nanoTime(); - mConsumedDown = true; - return; - } - break; - case MOTION_EVENT_ACTION_MOVE: - mConsumedDown = false; - //if ((mTouchMoveNum == 1) && !mConsumedMove && !skipFlag) { - if (!mConsumedMove && !skipFlag && !mIsDoFrameProcessing) { - Message msg = mHandler.obtainMessage(MSG_DO_FRAME); - msg.setAsynchronous(true); - mHandler.sendMessageAtFrontOfQueue(msg); - mLastTouchOptTimeNanos = System.nanoTime(); - mConsumedMove = true; - return; - } - break; - case MOTION_EVENT_ACTION_UP: - case MOTION_EVENT_ACTION_CANCEL: - mConsumedMove = false; - mConsumedDown = false; - break; - default: - break; - } - } - } - } if (USE_VSYNC) { if (DEBUG_FRAMES) { Log.d(TAG, "Scheduling next frame on vsync."); @@ -729,7 +659,6 @@ void setFPSDivisor(int divisor) { void doFrame(long frameTimeNanos, int frame) { final long startNanos; synchronized (mLock) { - mIsVsyncScheduled = false; if (!mFrameScheduled) { return; // no work to do } @@ -783,7 +712,6 @@ void doFrame(long frameTimeNanos, int frame) { } try { - mIsDoFrameProcessing = true; Trace.traceBegin(Trace.TRACE_TAG_VIEW, "Choreographer#doFrame"); AnimationUtils.lockAnimationClock(frameTimeNanos / TimeUtils.NANOS_PER_MS); @@ -809,7 +737,6 @@ void doFrame(long frameTimeNanos, int frame) { + (endNanos - startNanos) * 0.000001f + " ms, latency " + (startNanos - frameTimeNanos) * 0.000001f + " ms."); } - mIsDoFrameProcessing = false; } void doCallbacks(int callbackType, long frameTimeNanos) { @@ -898,7 +825,6 @@ void doScheduleCallback(int callbackType) { @UnsupportedAppUsage private void scheduleVsyncLocked() { mDisplayEventReceiver.scheduleVsync(); - mIsVsyncScheduled = true; } private boolean isRunningOnLooperThreadLocked() { diff --git a/core/java/android/view/InputEventReceiver.java b/core/java/android/view/InputEventReceiver.java index 1b66cf3698aff..7260a658a0271 100644 --- a/core/java/android/view/InputEventReceiver.java +++ b/core/java/android/view/InputEventReceiver.java @@ -44,7 +44,6 @@ public abstract class InputEventReceiver { // Map from InputEvent sequence numbers to dispatcher sequence numbers. private final SparseIntArray mSeqMap = new SparseIntArray(); - Choreographer mChoreographer; private static native long nativeInit(WeakReference receiver, InputChannel inputChannel, MessageQueue messageQueue); @@ -196,19 +195,6 @@ private void dispatchBatchedInputEventPending() { onBatchedInputEventPending(); } - // Called from native code. - @SuppressWarnings("unused") - private void dispatchMotionEventInfo(int motionEventType, int touchMoveNum) { - try { - if (mChoreographer == null) - mChoreographer = Choreographer.getInstance(); - - if (mChoreographer != null) - mChoreographer.setMotionEventInfo(motionEventType, touchMoveNum); - } catch (Exception e) { - Log.e(TAG, "cannot invoke setMotionEventInfo."); - } - } public static interface Factory { public InputEventReceiver createInputEventReceiver( InputChannel inputChannel, Looper looper); diff --git a/core/java/android/widget/AbsListView.java b/core/java/android/widget/AbsListView.java index b72f816b0f75e..0b3b08ad009de 100644 --- a/core/java/android/widget/AbsListView.java +++ b/core/java/android/widget/AbsListView.java @@ -124,10 +124,6 @@ public abstract class AbsListView extends AdapterView implements Te @SuppressWarnings("UnusedDeclaration") private static final String TAG = "AbsListView"; - private static final boolean OPTS_INPUT = SystemProperties.getBoolean("persist.vendor.qti.inputopts.enable",false); - private static final String MOVE_TOUCH_SLOP = SystemProperties.get("persist.vendor.qti.inputopts.movetouchslop","0.6"); - private static final double TOUCH_SLOP_MIN = 0.6; - private static final double TOUCH_SLOP_MAX = 1.0; /** * Disables the transcript mode. @@ -806,10 +802,6 @@ public abstract class AbsListView extends AdapterView implements Te */ private boolean mIsDetaching; - private boolean mIsFirstTouchMoveEvent = false; - private int mMoveAcceleration; - private int mNumTouchMoveEvent = 0; - /** * for ListView Animations */ @@ -978,20 +970,6 @@ private void initAbsListView() { final ViewConfiguration configuration = ViewConfiguration.get(mContext); mTouchSlop = configuration.getScaledTouchSlop(); mVerticalScrollFactor = configuration.getScaledVerticalScrollFactor(); - if (OPTS_INPUT) { - double touchslopprop = Double.parseDouble(MOVE_TOUCH_SLOP); - if (touchslopprop > 0) { - if (touchslopprop < TOUCH_SLOP_MIN) { - mMoveAcceleration = (int)(mTouchSlop * TOUCH_SLOP_MIN); - } else if ((touchslopprop >= TOUCH_SLOP_MIN) && (touchslopprop < TOUCH_SLOP_MAX)){ - mMoveAcceleration = (int)(mTouchSlop * touchslopprop); - } else { - mMoveAcceleration = mTouchSlop; - } - } else { - mMoveAcceleration = mTouchSlop; - } - } mMinimumVelocity = configuration.getScaledMinimumFlingVelocity(); mMaximumVelocity = configuration.getScaledMaximumFlingVelocity(); mDecacheThreshold = mMaximumVelocity / 2; @@ -3739,18 +3717,7 @@ private boolean startScrollIfNeeded(int x, int y, MotionEvent vtev) { final int deltaY = y - mMotionY; final int distance = Math.abs(deltaY); final boolean overscroll = mScrollY != 0; - boolean isFarEnough = false; - if (OPTS_INPUT) { - if (mIsFirstTouchMoveEvent) { - isFarEnough = distance > mMoveAcceleration; - } else { - isFarEnough = distance > mTouchSlop; - } - } else { - isFarEnough = distance > mTouchSlop; - } - - if ((overscroll || isFarEnough) && + if ((overscroll || distance > mTouchSlop) && (getNestedScrollAxes() & SCROLL_AXIS_VERTICAL) == 0) { createScrollingCache(); if (overscroll) { @@ -3758,11 +3725,7 @@ private boolean startScrollIfNeeded(int x, int y, MotionEvent vtev) { mMotionCorrection = 0; } else { mTouchMode = TOUCH_MODE_SCROLL; - if (mIsFirstTouchMoveEvent) { - mMotionCorrection = deltaY > 0 ? mMoveAcceleration : -mMoveAcceleration; - } else { - mMotionCorrection = deltaY > 0 ? mTouchSlop : -mTouchSlop; - } + mMotionCorrection = deltaY > 0 ? mTouchSlop : -mTouchSlop; } removeCallbacks(mPendingCheckForLongPress); setPressed(false); @@ -4086,38 +4049,21 @@ public boolean onTouchEvent(MotionEvent ev) { switch (actionMasked) { case MotionEvent.ACTION_DOWN: { onTouchDown(ev); - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } break; } case MotionEvent.ACTION_MOVE: { - if (OPTS_INPUT) { - mNumTouchMoveEvent++; - if (mNumTouchMoveEvent == 1) { - mIsFirstTouchMoveEvent = true; - } else { - mIsFirstTouchMoveEvent = false; - } - } onTouchMove(ev, vtev); break; } case MotionEvent.ACTION_UP: { onTouchUp(ev); - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } break; } case MotionEvent.ACTION_CANCEL: { onTouchCancel(); - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } break; } @@ -4133,9 +4079,6 @@ public boolean onTouchEvent(MotionEvent ev) { mMotionPosition = motionPosition; } mLastY = y; - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } break; } @@ -4157,9 +4100,6 @@ public boolean onTouchEvent(MotionEvent ev) { mMotionPosition = motionPosition; } mLastY = y; - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } break; } } @@ -4744,9 +4684,6 @@ public boolean onInterceptTouchEvent(MotionEvent ev) { switch (actionMasked) { case MotionEvent.ACTION_DOWN: { - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } int touchMode = mTouchMode; if (touchMode == TOUCH_MODE_OVERFLING || touchMode == TOUCH_MODE_OVERSCROLL) { mMotionCorrection = 0; @@ -4781,14 +4718,6 @@ public boolean onInterceptTouchEvent(MotionEvent ev) { } case MotionEvent.ACTION_MOVE: { - if (OPTS_INPUT) { - mNumTouchMoveEvent++; - if (mNumTouchMoveEvent == 1) { - mIsFirstTouchMoveEvent = true; - } else { - mIsFirstTouchMoveEvent = false; - } - } switch (mTouchMode) { case TOUCH_MODE_DOWN: int pointerIndex = ev.findPointerIndex(mActivePointerId); @@ -4809,9 +4738,6 @@ public boolean onInterceptTouchEvent(MotionEvent ev) { case MotionEvent.ACTION_CANCEL: case MotionEvent.ACTION_UP: { - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } mTouchMode = TOUCH_MODE_REST; mActivePointerId = INVALID_POINTER; recycleVelocityTracker(); @@ -4821,9 +4747,6 @@ public boolean onInterceptTouchEvent(MotionEvent ev) { } case MotionEvent.ACTION_POINTER_UP: { - if (OPTS_INPUT) { - mNumTouchMoveEvent = 0; - } onSecondaryPointerUp(ev); break; } diff --git a/core/java/com/android/internal/os/ProcessCpuTracker.java b/core/java/com/android/internal/os/ProcessCpuTracker.java index dcf8d285eca96..83b00ec33fd2a 100644 --- a/core/java/com/android/internal/os/ProcessCpuTracker.java +++ b/core/java/com/android/internal/os/ProcessCpuTracker.java @@ -878,8 +878,11 @@ private void printProcessCPU(PrintWriter pw, String prefix, int pid, String labe private void getName(Stats st, String cmdlineFile) { String newName = st.name; - if (st.name == null || st.name.equals("app_process") - || st.name.equals("")) { + if (st.name == null + || st.name.equals("app_process") + || st.name.equals("") + || st.name.equals("usap32") + || st.name.equals("usap64")) { String cmdName = ProcStatsUtil.readTerminatedProcFile(cmdlineFile, (byte) '\0'); if (cmdName != null && cmdName.length() > 1) { newName = cmdName; diff --git a/core/java/com/android/internal/os/Zygote.java b/core/java/com/android/internal/os/Zygote.java index 2ba9cf1961e99..ba6645a05c498 100644 --- a/core/java/com/android/internal/os/Zygote.java +++ b/core/java/com/android/internal/os/Zygote.java @@ -49,9 +49,9 @@ /** @hide */ public final class Zygote { /* - * Bit values for "runtimeFlags" argument. The definitions are duplicated - * in the native code. - */ + * Bit values for "runtimeFlags" argument. The definitions are duplicated + * in the native code. + */ /** enable debugging over JDWP */ public static final int DEBUG_ENABLE_JDWP = 1; @@ -172,6 +172,11 @@ public final class Zygote { */ public static final int SOCKET_BUFFER_SIZE = 256; + /** + * @hide for internal use only + */ + private static final int PRIORITY_MAX = -20; + /** a prototype instance for a future List.toArray() */ protected static final int[][] INT_ARRAY_2D = new int[0][0]; @@ -236,8 +241,7 @@ public static int forkAndSpecialize(int uid, int gid, int[] gids, int runtimeFla int[] fdsToIgnore, boolean startChildZygote, String instructionSet, String appDataDir, int targetSdkVersion) { ZygoteHooks.preFork(); - // Resets nice priority for zygote process. - resetNicePriority(); + int pid = nativeForkAndSpecialize( uid, gid, gids, runtimeFlags, rlimits, mountExternal, seInfo, niceName, fdsToClose, fdsToIgnore, startChildZygote, instructionSet, appDataDir); @@ -249,6 +253,10 @@ public static int forkAndSpecialize(int uid, int gid, int[] gids, int runtimeFla // Note that this event ends at the end of handleChildProc, Trace.traceBegin(Trace.TRACE_TAG_ACTIVITY_MANAGER, "PostFork"); } + + // Set the Java Language thread priority to the default value for new apps. + Thread.currentThread().setPriority(Thread.NORM_PRIORITY); + ZygoteHooks.postForkCommon(); return pid; } @@ -291,6 +299,9 @@ public static void specializeAppProcess(int uid, int gid, int[] gids, int runtim // Note that this event ends at the end of handleChildProc. Trace.traceBegin(Trace.TRACE_TAG_ACTIVITY_MANAGER, "PostFork"); + // Set the Java Language thread priority to the default value for new apps. + Thread.currentThread().setPriority(Thread.NORM_PRIORITY); + /* * This is called here (instead of after the fork but before the specialize) to maintain * consistancy with the code paths for forkAndSpecialize. @@ -335,15 +346,19 @@ private static native void nativeSpecializeAppProcess(int uid, int gid, int[] gi public static int forkSystemServer(int uid, int gid, int[] gids, int runtimeFlags, int[][] rlimits, long permittedCapabilities, long effectiveCapabilities) { ZygoteHooks.preFork(); - // Resets nice priority for zygote process. - resetNicePriority(); + int pid = nativeForkSystemServer( uid, gid, gids, runtimeFlags, rlimits, permittedCapabilities, effectiveCapabilities); + // Enable tracing as soon as we enter the system_server. if (pid == 0) { Trace.setTracingEnabled(true, runtimeFlags); } + + // Set the Java Language thread priority to the default value for new apps. + Thread.currentThread().setPriority(Thread.NORM_PRIORITY); + ZygoteHooks.postForkCommon(); return pid; } @@ -461,13 +476,16 @@ static FileDescriptor getUsapPoolEventFD() { /** * Fork a new unspecialized app process from the zygote * + * @param usapPoolSocket The server socket the USAP will call accept on * @param sessionSocketRawFDs Anonymous session sockets that are currently open + * @param isPriorityFork Value controlling the process priority level until accept is called * @return In the Zygote process this function will always return null; in unspecialized app * processes this function will return a Runnable object representing the new * application that is passed up from usapMain. */ static Runnable forkUsap(LocalServerSocket usapPoolSocket, - int[] sessionSocketRawFDs) { + int[] sessionSocketRawFDs, + boolean isPriorityFork) { FileDescriptor[] pipeFDs = null; try { @@ -477,7 +495,8 @@ static Runnable forkUsap(LocalServerSocket usapPoolSocket, } int pid = - nativeForkUsap(pipeFDs[0].getInt$(), pipeFDs[1].getInt$(), sessionSocketRawFDs); + nativeForkUsap(pipeFDs[0].getInt$(), pipeFDs[1].getInt$(), + sessionSocketRawFDs, isPriorityFork); if (pid == 0) { IoUtils.closeQuietly(pipeFDs[0]); @@ -491,8 +510,9 @@ static Runnable forkUsap(LocalServerSocket usapPoolSocket, } private static native int nativeForkUsap(int readPipeFD, - int writePipeFD, - int[] sessionSocketRawFDs); + int writePipeFD, + int[] sessionSocketRawFDs, + boolean isPriorityFork); /** * This function is used by unspecialized app processes to wait for specialization requests from @@ -503,7 +523,7 @@ private static native int nativeForkUsap(int readPipeFD, * @return A runnable oject representing the new application. */ private static Runnable usapMain(LocalServerSocket usapPoolSocket, - FileDescriptor writePipe) { + FileDescriptor writePipe) { final int pid = Process.myPid(); Process.setArgV0(Process.is64Bit() ? "usap64" : "usap32"); @@ -512,6 +532,11 @@ private static Runnable usapMain(LocalServerSocket usapPoolSocket, Credentials peerCredentials = null; ZygoteArguments args = null; + // Change the priority to max before calling accept so we can respond to new specialization + // requests as quickly as possible. This will be reverted to the default priority in the + // native specialization code. + boostUsapPriority(); + while (true) { try { sessionSocket = usapPoolSocket.accept(); @@ -553,6 +578,7 @@ private static Runnable usapMain(LocalServerSocket usapPoolSocket, try { // SIGTERM is blocked on loop exit. This prevents a USAP that is specializing from // being killed during a pool flush. + setAppProcessName(args, "USAP"); applyUidSecurityPolicy(args, peerCredentials); applyDebuggerSystemProperty(args); @@ -616,19 +642,13 @@ private static Runnable usapMain(LocalServerSocket usapPoolSocket, args.mRuntimeFlags, rlimits, args.mMountExternal, args.mSeInfo, args.mNiceName, args.mStartChildZygote, args.mInstructionSet, args.mAppDataDir); - disableExecuteOnly(args.mTargetSdkVersion); - if (args.mNiceName != null) { - Process.setArgV0(args.mNiceName); - } - - // End of the postFork event. Trace.traceEnd(Trace.TRACE_TAG_ACTIVITY_MANAGER); return ZygoteInit.zygoteInit(args.mTargetSdkVersion, - args.mRemainingArgs, - null /* classLoader */); + args.mRemainingArgs, + null /* classLoader */); } finally { // Unblock SIGTERM to restore the process to default behavior. unblockSigTerm(); @@ -647,6 +667,22 @@ private static void unblockSigTerm() { private static native void nativeUnblockSigTerm(); + private static void boostUsapPriority() { + nativeBoostUsapPriority(); + } + + private static native void nativeBoostUsapPriority(); + + static void setAppProcessName(ZygoteArguments args, String loggingTag) { + if (args.mNiceName != null) { + Process.setArgV0(args.mNiceName); + } else if (args.mPackageName != null) { + Process.setArgV0(args.mPackageName); + } else { + Log.w(loggingTag, "Unable to set package name."); + } + } + private static final String USAP_ERROR_PREFIX = "Invalid command to USAP: "; /** @@ -669,7 +705,7 @@ private static void validateUsapCommand(ZygoteArguments args) { throw new IllegalArgumentException(USAP_ERROR_PREFIX + "--start-child-zygote"); } else if (args.mApiBlacklistExemptions != null) { throw new IllegalArgumentException( - USAP_ERROR_PREFIX + "--set-api-blacklist-exemptions"); + USAP_ERROR_PREFIX + "--set-api-blacklist-exemptions"); } else if (args.mHiddenApiAccessLogSampleRate != -1) { throw new IllegalArgumentException( USAP_ERROR_PREFIX + "--hidden-api-log-sampling-rate="); @@ -680,8 +716,8 @@ private static void validateUsapCommand(ZygoteArguments args) { throw new IllegalArgumentException(USAP_ERROR_PREFIX + "--invoke-with"); } else if (args.mPermittedCapabilities != 0 || args.mEffectiveCapabilities != 0) { throw new ZygoteSecurityException("Client may not specify capabilities: " - + "permitted=0x" + Long.toHexString(args.mPermittedCapabilities) - + ", effective=0x" + Long.toHexString(args.mEffectiveCapabilities)); + + "permitted=0x" + Long.toHexString(args.mPermittedCapabilities) + + ", effective=0x" + Long.toHexString(args.mEffectiveCapabilities)); } } @@ -738,7 +774,7 @@ protected static void applyUidSecurityPolicy(ZygoteArguments args, Credentials p if (uidRestricted && args.mUidSpecified && (args.mUid < Process.SYSTEM_UID)) { throw new ZygoteSecurityException( "System UID may not launch process with UID < " - + Process.SYSTEM_UID); + + Process.SYSTEM_UID); } } @@ -788,8 +824,8 @@ protected static void applyInvokeWithSecurityPolicy(ZygoteArguments args, Creden if (args.mInvokeWith != null && peerUid != 0 && (args.mRuntimeFlags & Zygote.DEBUG_ENABLE_JDWP) == 0) { throw new ZygoteSecurityException("Peer is permitted to specify an " - + "explicit invoke-with wrapper command only for debuggable " - + "applications."); + + "explicit invoke-with wrapper command only for debuggable " + + "applications."); } } @@ -872,7 +908,7 @@ static LocalServerSocket createManagedSocketFromInitSocket(String socketName) { return new LocalServerSocket(fd); } catch (IOException ex) { throw new RuntimeException( - "Error building socket from file descriptor: " + fileDesc, ex); + "Error building socket from file descriptor: " + fileDesc, ex); } } @@ -886,15 +922,6 @@ private static void callPostForkChildHooks(int runtimeFlags, boolean isSystemSer ZygoteHooks.postForkChild(runtimeFlags, isSystemServer, isZygote, instructionSet); } - /** - * Resets the calling thread priority to the default value (Thread.NORM_PRIORITY - * or nice value 0). This updates both the priority value in java.lang.Thread and - * the nice value (setpriority). - */ - static void resetNicePriority() { - Thread.currentThread().setPriority(Thread.NORM_PRIORITY); - } - /** * Executes "/system/bin/sh -c <command>" using the exec() system call. * This method throws a runtime exception if exec() failed, otherwise, this diff --git a/core/java/com/android/internal/os/ZygoteConnection.java b/core/java/com/android/internal/os/ZygoteConnection.java index e556dd4d8243a..c58266d06d151 100644 --- a/core/java/com/android/internal/os/ZygoteConnection.java +++ b/core/java/com/android/internal/os/ZygoteConnection.java @@ -347,7 +347,7 @@ private Runnable stateChangeWithUsapPoolReset(ZygoteServer zygoteServer, if (zygoteServer.isUsapPoolEnabled()) { Runnable fpResult = zygoteServer.fillUsapPool( - new int[]{mSocket.getFileDescriptor().getInt$()}); + new int[]{mSocket.getFileDescriptor().getInt$()}, false); if (fpResult != null) { zygoteServer.setForkChild(); @@ -580,9 +580,7 @@ private Runnable handleChildProc(ZygoteArguments parsedArgs, FileDescriptor[] de } } - if (parsedArgs.mNiceName != null) { - Process.setArgV0(parsedArgs.mNiceName); - } + Zygote.setAppProcessName(parsedArgs, TAG); // End of the postFork event. Trace.traceEnd(Trace.TRACE_TAG_ACTIVITY_MANAGER); diff --git a/core/java/com/android/internal/os/ZygoteInit.java b/core/java/com/android/internal/os/ZygoteInit.java index 2d7ce1a1c49cb..364fe14ddb05e 100644 --- a/core/java/com/android/internal/os/ZygoteInit.java +++ b/core/java/com/android/internal/os/ZygoteInit.java @@ -620,17 +620,18 @@ private static boolean performSystemServerDexOpt(String classPath) { String classPathForElement = ""; boolean compiledSomething = false; for (String classPathElement : classPathElements) { - // System server is fully AOTed and never profiled - // for profile guided compilation. + // We default to the verify filter because the compilation will happen on /data and + // system server cannot load executable code outside /system. String systemServerFilter = SystemProperties.get( - "dalvik.vm.systemservercompilerfilter", "speed"); + "dalvik.vm.systemservercompilerfilter", "verify"); + String classLoaderContext = + getSystemServerClassLoaderContext(classPathForElement); int dexoptNeeded; try { dexoptNeeded = DexFile.getDexOptNeeded( classPathElement, instructionSet, systemServerFilter, - null /* classLoaderContext */, false /* newProfile */, - false /* downgrade */); + classLoaderContext, false /* newProfile */, false /* downgrade */); } catch (FileNotFoundException ignored) { // Do not add to the classpath. Log.w(TAG, "Missing classpath element for system server: " + classPathElement); @@ -651,8 +652,6 @@ private static boolean performSystemServerDexOpt(String classPath) { final String compilerFilter = systemServerFilter; final String uuid = StorageManager.UUID_PRIVATE_INTERNAL; final String seInfo = null; - final String classLoaderContext = - getSystemServerClassLoaderContext(classPathForElement); final int targetSdkVersion = 0; // SystemServer targets the system's SDK version try { installd.dexopt(classPathElement, Process.SYSTEM_UID, packageName, @@ -800,6 +799,18 @@ private static long posixCapabilitiesAsBits(int... capabilities) { return result; } + /** + * This is the entry point for a Zygote process. It creates the Zygote server, loads resources, + * and handles other tasks related to preparing the process for forking into applications. + * + * This process is started with a nice value of -20 (highest priority). All paths that flow + * into new processes are required to either set the priority to the default value or terminate + * before executing any non-system code. The native side of this occurs in SpecializeCommon, + * while the Java Language priority is changed in ZygoteInit.handleSystemServerProcess, + * ZygoteConnection.handleChildProc, and Zygote.usapMain. + * + * @param argv Command line arguments used to specify the Zygote's configuration. + */ @UnsupportedAppUsage public static void main(String argv[]) { ZygoteServer zygoteServer = null; @@ -863,8 +874,6 @@ public static void main(String argv[]) { EventLog.writeEvent(LOG_BOOT_PROGRESS_PRELOAD_END, SystemClock.uptimeMillis()); bootTimingsTraceLog.traceEnd(); // ZygotePreload - } else { - Zygote.resetNicePriority(); } // Do an initial gc to clean up after startup diff --git a/core/java/com/android/internal/os/ZygoteServer.java b/core/java/com/android/internal/os/ZygoteServer.java index 5d1911b9c29a2..b5f33fb08480a 100644 --- a/core/java/com/android/internal/os/ZygoteServer.java +++ b/core/java/com/android/internal/os/ZygoteServer.java @@ -66,6 +66,12 @@ class ZygoteServer { /** The default value used for the USAP_POOL_SIZE_MIN device property */ private static final String USAP_POOL_SIZE_MIN_DEFAULT = "1"; + /** The default value used for the USAP_REFILL_DELAY_MS device property */ + private static final String USAP_POOL_REFILL_DELAY_MS_DEFAULT = "3000"; + + /** The "not a timestamp" value for the refill delay timestamp mechanism. */ + private static final int INVALID_TIMESTAMP = -1; + /** * Indicates if this Zygote server can support a unspecialized app process pool. Currently this * should only be true for the primary and secondary Zygotes, and not the App Zygotes or the @@ -131,6 +137,24 @@ class ZygoteServer { */ private int mUsapPoolRefillThreshold = 0; + /** + * Number of milliseconds to delay before refilling the pool if it hasn't reached its + * minimum value. + */ + private int mUsapPoolRefillDelayMs = -1; + + /** + * If and when we should refill the USAP pool. + */ + private UsapPoolRefillAction mUsapPoolRefillAction; + private long mUsapPoolRefillTriggerTimestamp; + + private enum UsapPoolRefillAction { + DELAYED, + IMMEDIATE, + NONE + } + ZygoteServer() { mUsapPoolEventFD = null; mZygoteSocket = null; @@ -160,9 +184,8 @@ class ZygoteServer { Zygote.USAP_POOL_SECONDARY_SOCKET_NAME); } - fetchUsapPoolPolicyProps(); - mUsapPoolSupported = true; + fetchUsapPoolPolicyProps(); } void setForkChild() { @@ -267,6 +290,13 @@ private void fetchUsapPoolPolicyProps() { mUsapPoolSizeMax); } + final String usapPoolRefillDelayMsPropString = Zygote.getConfigurationProperty( + ZygoteConfig.USAP_POOL_REFILL_DELAY_MS, USAP_POOL_REFILL_DELAY_MS_DEFAULT); + + if (!usapPoolRefillDelayMsPropString.isEmpty()) { + mUsapPoolRefillDelayMs = Integer.parseInt(usapPoolRefillDelayMsPropString); + } + // Sanity check if (mUsapPoolSizeMin >= mUsapPoolSizeMax) { Log.w(TAG, "The max size of the USAP pool must be greater than the minimum size." @@ -293,9 +323,16 @@ private void fetchUsapPoolPolicyPropsWithMinInterval() { } } + private void fetchUsapPoolPolicyPropsIfUnfetched() { + if (mIsFirstPropertyCheck) { + mIsFirstPropertyCheck = false; + fetchUsapPoolPolicyProps(); + } + } + /** - * Checks to see if the current policy says that pool should be refilled, and spawns new USAPs - * if necessary. + * Refill the USAP Pool to the appropriate level, determined by whether this is a priority + * refill event or not. * * @param sessionSocketRawFDs Anonymous session sockets that are currently open * @return In the Zygote process this function will always return null; in unspecialized app @@ -303,38 +340,47 @@ private void fetchUsapPoolPolicyPropsWithMinInterval() { * application that is passed up from usapMain. */ - Runnable fillUsapPool(int[] sessionSocketRawFDs) { + Runnable fillUsapPool(int[] sessionSocketRawFDs, boolean isPriorityRefill) { Trace.traceBegin(Trace.TRACE_TAG_ACTIVITY_MANAGER, "Zygote:FillUsapPool"); // Ensure that the pool properties have been fetched. - fetchUsapPoolPolicyPropsWithMinInterval(); + fetchUsapPoolPolicyPropsIfUnfetched(); int usapPoolCount = Zygote.getUsapPoolCount(); - int numUsapsToSpawn = mUsapPoolSizeMax - usapPoolCount; + int numUsapsToSpawn; + + if (isPriorityRefill) { + // Refill to min + numUsapsToSpawn = mUsapPoolSizeMin - usapPoolCount; + + Log.i("zygote", + "Priority USAP Pool refill. New USAPs: " + numUsapsToSpawn); + } else { + // Refill up to max + numUsapsToSpawn = mUsapPoolSizeMax - usapPoolCount; - if (usapPoolCount < mUsapPoolSizeMin - || numUsapsToSpawn >= mUsapPoolRefillThreshold) { + Log.i("zygote", + "Delayed USAP Pool refill. New USAPs: " + numUsapsToSpawn); + } - // Disable some VM functionality and reset some system values - // before forking. - ZygoteHooks.preFork(); - Zygote.resetNicePriority(); + // Disable some VM functionality and reset some system values + // before forking. + ZygoteHooks.preFork(); - while (usapPoolCount++ < mUsapPoolSizeMax) { - Runnable caller = Zygote.forkUsap(mUsapPoolSocket, sessionSocketRawFDs); + while (--numUsapsToSpawn >= 0) { + Runnable caller = + Zygote.forkUsap(mUsapPoolSocket, sessionSocketRawFDs, isPriorityRefill); - if (caller != null) { - return caller; - } + if (caller != null) { + return caller; } + } - // Re-enable runtime services for the Zygote. Services for unspecialized app process - // are re-enabled in specializeAppProcess. - ZygoteHooks.postForkCommon(); + // Re-enable runtime services for the Zygote. Services for unspecialized app process + // are re-enabled in specializeAppProcess. + ZygoteHooks.postForkCommon(); - Log.i("zygote", - "Filled the USAP pool. New USAPs: " + numUsapsToSpawn); - } + resetUsapRefillState(); Trace.traceEnd(Trace.TRACE_TAG_ACTIVITY_MANAGER); @@ -358,13 +404,18 @@ Runnable setUsapPoolStatus(boolean newStatus, LocalSocket sessionSocket) { mUsapPoolEnabled = newStatus; if (newStatus) { - return fillUsapPool(new int[]{ sessionSocket.getFileDescriptor().getInt$() }); + return fillUsapPool(new int[]{ sessionSocket.getFileDescriptor().getInt$() }, false); } else { Zygote.emptyUsapPool(); return null; } } + void resetUsapRefillState() { + mUsapPoolRefillAction = UsapPoolRefillAction.NONE; + mUsapPoolRefillTriggerTimestamp = INVALID_TIMESTAMP; + } + /** * Runs the zygote process's select loop. Accepts new connections as * they happen, and reads commands from connections one spawn-request's @@ -377,8 +428,11 @@ Runnable runSelectLoop(String abiList) { socketFDs.add(mZygoteSocket.getFileDescriptor()); peers.add(null); + mUsapPoolRefillTriggerTimestamp = INVALID_TIMESTAMP; + while (true) { fetchUsapPoolPolicyPropsWithMinInterval(); + mUsapPoolRefillAction = UsapPoolRefillAction.NONE; int[] usapPipeFDs = null; StructPollfd[] pollFDs = null; @@ -428,140 +482,199 @@ Runnable runSelectLoop(String abiList) { } } + int pollTimeoutMs; + + if (mUsapPoolRefillTriggerTimestamp == INVALID_TIMESTAMP) { + pollTimeoutMs = -1; + } else { + long elapsedTimeMs = System.currentTimeMillis() - mUsapPoolRefillTriggerTimestamp; + + if (elapsedTimeMs >= mUsapPoolRefillDelayMs) { + // Normalize the poll timeout value when the time between one poll event and the + // next pushes us over the delay value. This prevents poll receiving a 0 + // timeout value, which would result in it returning immediately. + pollTimeoutMs = -1; + + } else if (elapsedTimeMs <= 0) { + // This can occur if the clock used by currentTimeMillis is reset, which is + // possible because it is not guaranteed to be monotonic. Because we can't tell + // how far back the clock was set the best way to recover is to simply re-start + // the respawn delay countdown. + pollTimeoutMs = mUsapPoolRefillDelayMs; + + } else { + pollTimeoutMs = (int) (mUsapPoolRefillDelayMs - elapsedTimeMs); + } + } + + int pollReturnValue; try { - Os.poll(pollFDs, -1); + pollReturnValue = Os.poll(pollFDs, pollTimeoutMs); } catch (ErrnoException ex) { throw new RuntimeException("poll failed", ex); } - boolean usapPoolFDRead = false; - - while (--pollIndex >= 0) { - if ((pollFDs[pollIndex].revents & POLLIN) == 0) { - continue; - } - - if (pollIndex == 0) { - // Zygote server socket + if (pollReturnValue == 0) { + // The poll timeout has been exceeded. This only occurs when we have finished the + // USAP pool refill delay period. - ZygoteConnection newPeer = acceptCommandPeer(abiList); - peers.add(newPeer); - socketFDs.add(newPeer.getFileDescriptor()); + mUsapPoolRefillTriggerTimestamp = INVALID_TIMESTAMP; + mUsapPoolRefillAction = UsapPoolRefillAction.DELAYED; - } else if (pollIndex < usapPoolEventFDIndex) { - // Session socket accepted from the Zygote server socket + } else { + boolean usapPoolFDRead = false; - try { - ZygoteConnection connection = peers.get(pollIndex); - final Runnable command = connection.processOneCommand(this); + while (--pollIndex >= 0) { + if ((pollFDs[pollIndex].revents & POLLIN) == 0) { + continue; + } - // TODO (chriswailes): Is this extra check necessary? - if (mIsForkChild) { - // We're in the child. We should always have a command to run at this - // stage if processOneCommand hasn't called "exec". - if (command == null) { - throw new IllegalStateException("command == null"); + if (pollIndex == 0) { + // Zygote server socket + + ZygoteConnection newPeer = acceptCommandPeer(abiList); + peers.add(newPeer); + socketFDs.add(newPeer.getFileDescriptor()); + + } else if (pollIndex < usapPoolEventFDIndex) { + // Session socket accepted from the Zygote server socket + + try { + ZygoteConnection connection = peers.get(pollIndex); + final Runnable command = connection.processOneCommand(this); + + // TODO (chriswailes): Is this extra check necessary? + if (mIsForkChild) { + // We're in the child. We should always have a command to run at + // this stage if processOneCommand hasn't called "exec". + if (command == null) { + throw new IllegalStateException("command == null"); + } + + return command; + } else { + // We're in the server - we should never have any commands to run. + if (command != null) { + throw new IllegalStateException("command != null"); + } + + // We don't know whether the remote side of the socket was closed or + // not until we attempt to read from it from processOneCommand. This + // shows up as a regular POLLIN event in our regular processing + // loop. + if (connection.isClosedByPeer()) { + connection.closeSocket(); + peers.remove(pollIndex); + socketFDs.remove(pollIndex); + } } + } catch (Exception e) { + if (!mIsForkChild) { + // We're in the server so any exception here is one that has taken + // place pre-fork while processing commands or reading / writing + // from the control socket. Make a loud noise about any such + // exceptions so that we know exactly what failed and why. - return command; - } else { - // We're in the server - we should never have any commands to run. - if (command != null) { - throw new IllegalStateException("command != null"); - } + Slog.e(TAG, "Exception executing zygote command: ", e); + + // Make sure the socket is closed so that the other end knows + // immediately that something has gone wrong and doesn't time out + // waiting for a response. + ZygoteConnection conn = peers.remove(pollIndex); + conn.closeSocket(); - // We don't know whether the remote side of the socket was closed or - // not until we attempt to read from it from processOneCommand. This - // shows up as a regular POLLIN event in our regular processing loop. - if (connection.isClosedByPeer()) { - connection.closeSocket(); - peers.remove(pollIndex); socketFDs.remove(pollIndex); + } else { + // We're in the child so any exception caught here has happened post + // fork and before we execute ActivityThread.main (or any other + // main() method). Log the details of the exception and bring down + // the process. + Log.e(TAG, "Caught post-fork exception in child process.", e); + throw e; } + } finally { + // Reset the child flag, in the event that the child process is a child- + // zygote. The flag will not be consulted this loop pass after the + // Runnable is returned. + mIsForkChild = false; } - } catch (Exception e) { - if (!mIsForkChild) { - // We're in the server so any exception here is one that has taken place - // pre-fork while processing commands or reading / writing from the - // control socket. Make a loud noise about any such exceptions so that - // we know exactly what failed and why. - - Slog.e(TAG, "Exception executing zygote command: ", e); - - // Make sure the socket is closed so that the other end knows - // immediately that something has gone wrong and doesn't time out - // waiting for a response. - ZygoteConnection conn = peers.remove(pollIndex); - conn.closeSocket(); - - socketFDs.remove(pollIndex); - } else { - // We're in the child so any exception caught here has happened post - // fork and before we execute ActivityThread.main (or any other main() - // method). Log the details of the exception and bring down the process. - Log.e(TAG, "Caught post-fork exception in child process.", e); - throw e; - } - } finally { - // Reset the child flag, in the event that the child process is a child- - // zygote. The flag will not be consulted this loop pass after the Runnable - // is returned. - mIsForkChild = false; - } - } else { - // Either the USAP pool event FD or a USAP reporting pipe. - - // If this is the event FD the payload will be the number of USAPs removed. - // If this is a reporting pipe FD the payload will be the PID of the USAP - // that was just specialized. - long messagePayload = -1; - - try { - byte[] buffer = new byte[Zygote.USAP_MANAGEMENT_MESSAGE_BYTES]; - int readBytes = Os.read(pollFDs[pollIndex].fd, buffer, 0, buffer.length); - if (readBytes == Zygote.USAP_MANAGEMENT_MESSAGE_BYTES) { - DataInputStream inputStream = - new DataInputStream(new ByteArrayInputStream(buffer)); + } else { + // Either the USAP pool event FD or a USAP reporting pipe. + + // If this is the event FD the payload will be the number of USAPs removed. + // If this is a reporting pipe FD the payload will be the PID of the USAP + // that was just specialized. The `continue` statements below ensure that + // the messagePayload will always be valid if we complete the try block + // without an exception. + long messagePayload; + + try { + byte[] buffer = new byte[Zygote.USAP_MANAGEMENT_MESSAGE_BYTES]; + int readBytes = + Os.read(pollFDs[pollIndex].fd, buffer, 0, buffer.length); + + if (readBytes == Zygote.USAP_MANAGEMENT_MESSAGE_BYTES) { + DataInputStream inputStream = + new DataInputStream(new ByteArrayInputStream(buffer)); + + messagePayload = inputStream.readLong(); + } else { + Log.e(TAG, "Incomplete read from USAP management FD of size " + + readBytes); + continue; + } + } catch (Exception ex) { + if (pollIndex == usapPoolEventFDIndex) { + Log.e(TAG, "Failed to read from USAP pool event FD: " + + ex.getMessage()); + } else { + Log.e(TAG, "Failed to read from USAP reporting pipe: " + + ex.getMessage()); + } - messagePayload = inputStream.readLong(); - } else { - Log.e(TAG, "Incomplete read from USAP management FD of size " - + readBytes); continue; } - } catch (Exception ex) { - if (pollIndex == usapPoolEventFDIndex) { - Log.e(TAG, "Failed to read from USAP pool event FD: " - + ex.getMessage()); - } else { - Log.e(TAG, "Failed to read from USAP reporting pipe: " - + ex.getMessage()); + + if (pollIndex > usapPoolEventFDIndex) { + Zygote.removeUsapTableEntry((int) messagePayload); } - continue; + usapPoolFDRead = true; } + } - if (pollIndex > usapPoolEventFDIndex) { - Zygote.removeUsapTableEntry((int) messagePayload); - } + if (usapPoolFDRead) { + int usapPoolCount = Zygote.getUsapPoolCount(); - usapPoolFDRead = true; + if (usapPoolCount < mUsapPoolSizeMin) { + // Immediate refill + mUsapPoolRefillAction = UsapPoolRefillAction.IMMEDIATE; + } else if (mUsapPoolSizeMax - usapPoolCount >= mUsapPoolRefillThreshold) { + // Delayed refill + mUsapPoolRefillTriggerTimestamp = System.currentTimeMillis(); + } } } - // Check to see if the USAP pool needs to be refilled. - if (usapPoolFDRead) { + if (mUsapPoolRefillAction != UsapPoolRefillAction.NONE) { int[] sessionSocketRawFDs = socketFDs.subList(1, socketFDs.size()) .stream() .mapToInt(fd -> fd.getInt$()) .toArray(); - final Runnable command = fillUsapPool(sessionSocketRawFDs); + final boolean isPriorityRefill = + mUsapPoolRefillAction == UsapPoolRefillAction.IMMEDIATE; + + final Runnable command = + fillUsapPool(sessionSocketRawFDs, isPriorityRefill); if (command != null) { return command; + } else if (isPriorityRefill) { + // Schedule a delayed refill to finish refilling the pool. + mUsapPoolRefillTriggerTimestamp = System.currentTimeMillis(); } } } diff --git a/core/java/com/android/internal/util/du/ActionUtils.java b/core/java/com/android/internal/util/du/ActionUtils.java index 3beafc4512e9d..923ee7e3c024a 100644 --- a/core/java/com/android/internal/util/du/ActionUtils.java +++ b/core/java/com/android/internal/util/du/ActionUtils.java @@ -21,6 +21,8 @@ import android.content.Context; import android.content.Intent; import android.media.AudioManager; +import android.net.ConnectivityManager; +import android.net.NetworkInfo; import android.os.PowerManager; import android.os.RemoteException; import android.os.ServiceManager; @@ -52,6 +54,32 @@ private static IStatusBarService getStatusBarService() { } } + // Check to see if device is WiFi only + public static boolean isWifiOnly(Context context) { + ConnectivityManager cm = (ConnectivityManager)context.getSystemService( + Context.CONNECTIVITY_SERVICE); + return (cm.isNetworkSupported(ConnectivityManager.TYPE_MOBILE) == false); + } + + // Check if device is connected to Wi-Fi + public static boolean isWiFiConnected(Context context) { + ConnectivityManager cm = (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE); + if (cm == null) return false; + + NetworkInfo wifi = cm.getNetworkInfo(ConnectivityManager.TYPE_WIFI); + return wifi.isConnected(); + } + + // Check to see if device is connected to the internet + public static boolean isConnected(Context context) { + ConnectivityManager cm = (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE); + if (cm == null) return false; + + NetworkInfo wifi = cm.getNetworkInfo(ConnectivityManager.TYPE_WIFI); + NetworkInfo mobile = cm.getNetworkInfo(ConnectivityManager.TYPE_MOBILE); + return wifi.isConnected() || mobile.isConnected(); + } + // Screen off public static void switchScreenOff(Context ctx) { PowerManager pm = (PowerManager) ctx.getSystemService(Context.POWER_SERVICE); diff --git a/core/java/com/android/internal/util/du/Utils.java b/core/java/com/android/internal/util/du/Utils.java index 37a2e8b55cb9d..2d0f569894722 100644 --- a/core/java/com/android/internal/util/du/Utils.java +++ b/core/java/com/android/internal/util/du/Utils.java @@ -61,23 +61,6 @@ public class Utils { private static OverlayManager mOverlayService; - // Check to see if device is WiFi only - public static boolean isWifiOnly(Context context) { - ConnectivityManager cm = (ConnectivityManager)context.getSystemService( - Context.CONNECTIVITY_SERVICE); - return (cm.isNetworkSupported(ConnectivityManager.TYPE_MOBILE) == false); - } - - // Check to see if device is connected to the internet - public static boolean isConnected(Context context) { - ConnectivityManager cm = (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE); - if (cm == null) return false; - - NetworkInfo wifi = cm.getNetworkInfo(ConnectivityManager.TYPE_WIFI); - NetworkInfo mobile = cm.getNetworkInfo(ConnectivityManager.TYPE_MOBILE); - return wifi.isConnected() || mobile.isConnected(); - } - // Check to see if a package is installed public static boolean isPackageInstalled(Context context, String pkg, boolean ignoreState) { if (pkg != null) { diff --git a/core/jni/android_view_InputEventReceiver.cpp b/core/jni/android_view_InputEventReceiver.cpp index ed20c010ef6fe..7975c86759543 100644 --- a/core/jni/android_view_InputEventReceiver.cpp +++ b/core/jni/android_view_InputEventReceiver.cpp @@ -45,7 +45,6 @@ static struct { jmethodID dispatchInputEvent; jmethodID dispatchBatchedInputEventPending; - jmethodID dispatchMotionEventInfo; } gInputEventReceiverClassInfo; @@ -77,8 +76,6 @@ class NativeInputEventReceiver : public LooperCallback { bool mBatchedInputEventPending; int mFdEvents; Vector mFinishQueue; - int mLastMotionEventType = -1; - int mLastTouchMoveNum = -1; void setFdEvents(int events); @@ -237,33 +234,9 @@ status_t NativeInputEventReceiver::consumeEvents(JNIEnv* env, bool skipCallbacks = false; for (;;) { uint32_t seq; - int motionEventType = -1; - int touchMoveNum = -1; - bool flag = false; - InputEvent* inputEvent; status_t status = mInputConsumer.consume(&mInputEventFactory, - consumeBatches, frameTime, &seq, &inputEvent, - &motionEventType, &touchMoveNum, &flag); - - if (!receiverObj.get()) { - receiverObj.reset(jniGetReferent(env, mReceiverWeakGlobal)); - if (!receiverObj.get()) { - ALOGW("channel '%s' ~ Receiver object was finalized " - "without being disposed.", getInputChannelName().c_str()); - return DEAD_OBJECT; - } - } - - if (flag && ((mLastMotionEventType != motionEventType) || - (mLastTouchMoveNum != touchMoveNum))) { - env->CallVoidMethod(receiverObj.get(), - gInputEventReceiverClassInfo.dispatchMotionEventInfo, motionEventType, touchMoveNum); - mLastMotionEventType = motionEventType; - mLastTouchMoveNum = touchMoveNum; - flag = false; - } - + consumeBatches, frameTime, &seq, &inputEvent); if (status) { if (status == WOULD_BLOCK) { if (!skipCallbacks && !mBatchedInputEventPending @@ -450,8 +423,7 @@ int register_android_view_InputEventReceiver(JNIEnv* env) { "dispatchInputEvent", "(ILandroid/view/InputEvent;)V"); gInputEventReceiverClassInfo.dispatchBatchedInputEventPending = GetMethodIDOrDie(env, gInputEventReceiverClassInfo.clazz, "dispatchBatchedInputEventPending", "()V"); - gInputEventReceiverClassInfo.dispatchMotionEventInfo = GetMethodIDOrDie(env, - gInputEventReceiverClassInfo.clazz, "dispatchMotionEventInfo", "(II)V"); + return res; } diff --git a/core/jni/com_android_internal_os_Zygote.cpp b/core/jni/com_android_internal_os_Zygote.cpp index 82c27f02ba872..16a727122fd96 100644 --- a/core/jni/com_android_internal_os_Zygote.cpp +++ b/core/jni/com_android_internal_os_Zygote.cpp @@ -169,6 +169,15 @@ static int gUsapPoolEventFD = -1; */ static constexpr int USAP_POOL_SIZE_MAX_LIMIT = 100; +/** The numeric value for the maximum priority a process may possess. */ +static constexpr int PROCESS_PRIORITY_MAX = -20; + +/** The numeric value for the minimum priority a process may possess. */ +static constexpr int PROCESS_PRIORITY_MIN = 19; + +/** The numeric value for the normal priority a process should have. */ +static constexpr int PROCESS_PRIORITY_DEFAULT = 0; + /** * A helper class containing accounting information for USAPs. */ @@ -903,7 +912,8 @@ static void ClearUsapTable() { // Utility routine to fork a process from the zygote. static pid_t ForkCommon(JNIEnv* env, bool is_system_server, const std::vector& fds_to_close, - const std::vector& fds_to_ignore) { + const std::vector& fds_to_ignore, + bool is_priority_fork) { SetSignalHandlers(); // Curry a failure function. @@ -933,9 +943,22 @@ static pid_t ForkCommon(JNIEnv* env, bool is_system_server, android_fdsan_error_level fdsan_error_level = android_fdsan_get_error_level(); + // Purge unused native memory in an attempt to reduce the amount of false + // sharing with the child process. By reducing the size of the libc_malloc + // region shared with the child process we reduce the number of pages that + // transition to the private-dirty state when malloc adjusts the meta-data + // on each of the pages it is managing after the fork. + mallopt(M_PURGE, 0); + pid_t pid = fork(); if (pid == 0) { + if (is_priority_fork) { + setpriority(PRIO_PROCESS, 0, PROCESS_PRIORITY_MAX); + } else { + setpriority(PRIO_PROCESS, 0, PROCESS_PRIORITY_MIN); + } + // The child process. PreApplicationInit(); @@ -1133,6 +1156,9 @@ static void SpecializeCommon(JNIEnv* env, uid_t uid, gid_t gid, jintArray gids, env->CallStaticVoidMethod(gZygoteClass, gCallPostForkChildHooks, runtime_flags, is_system_server, is_child_zygote, managed_instruction_set); + // Reset the process priority to the default value. + setpriority(PRIO_PROCESS, 0, PROCESS_PRIORITY_DEFAULT); + if (env->ExceptionCheck()) { fail_fn("Error calling post fork hooks."); } @@ -1372,7 +1398,7 @@ static jint com_android_internal_os_Zygote_nativeForkAndSpecialize( fds_to_ignore.push_back(gUsapPoolEventFD); } - pid_t pid = ForkCommon(env, false, fds_to_close, fds_to_ignore); + pid_t pid = ForkCommon(env, false, fds_to_close, fds_to_ignore, true); if (pid == 0) { SpecializeCommon(env, uid, gid, gids, runtime_flags, rlimits, @@ -1399,7 +1425,8 @@ static jint com_android_internal_os_Zygote_nativeForkSystemServer( pid_t pid = ForkCommon(env, true, fds_to_close, - fds_to_ignore); + fds_to_ignore, + true); if (pid == 0) { SpecializeCommon(env, uid, gid, gids, runtime_flags, rlimits, permitted_capabilities, effective_capabilities, @@ -1441,13 +1468,15 @@ static jint com_android_internal_os_Zygote_nativeForkSystemServer( * zygote in managed code. * @param managed_session_socket_fds A list of anonymous session sockets that must be ignored by * the FD hygiene code and automatically "closed" in the new USAP. + * @param is_priority_fork Controls the nice level assigned to the newly created process * @return */ static jint com_android_internal_os_Zygote_nativeForkUsap(JNIEnv* env, jclass, jint read_pipe_fd, jint write_pipe_fd, - jintArray managed_session_socket_fds) { + jintArray managed_session_socket_fds, + jboolean is_priority_fork) { std::vector fds_to_close(MakeUsapPipeReadFDVector()), fds_to_ignore(fds_to_close); @@ -1469,7 +1498,8 @@ static jint com_android_internal_os_Zygote_nativeForkUsap(JNIEnv* env, fds_to_ignore.push_back(write_pipe_fd); fds_to_ignore.insert(fds_to_ignore.end(), session_socket_fds.begin(), session_socket_fds.end()); - pid_t usap_pid = ForkCommon(env, /* is_system_server= */ false, fds_to_close, fds_to_ignore); + pid_t usap_pid = ForkCommon(env, /* is_system_server= */ false, fds_to_close, fds_to_ignore, + is_priority_fork == JNI_TRUE); if (usap_pid != 0) { ++gUsapPoolCount; @@ -1706,6 +1736,10 @@ static void com_android_internal_os_Zygote_nativeUnblockSigTerm(JNIEnv* env, jcl UnblockSignal(SIGTERM, fail_fn); } +static void com_android_internal_os_Zygote_nativeBoostUsapPriority(JNIEnv* env, jclass) { + setpriority(PRIO_PROCESS, 0, PROCESS_PRIORITY_MAX); +} + static const JNINativeMethod gMethods[] = { { "nativeForkAndSpecialize", "(II[II[[IILjava/lang/String;Ljava/lang/String;[I[IZLjava/lang/String;Ljava/lang/String;)I", @@ -1718,7 +1752,7 @@ static const JNINativeMethod gMethods[] = { (void *) com_android_internal_os_Zygote_nativePreApplicationInit }, { "nativeInstallSeccompUidGidFilter", "(II)V", (void *) com_android_internal_os_Zygote_nativeInstallSeccompUidGidFilter }, - { "nativeForkUsap", "(II[I)I", + { "nativeForkUsap", "(II[IZ)I", (void *) com_android_internal_os_Zygote_nativeForkUsap }, { "nativeSpecializeAppProcess", "(II[II[[IILjava/lang/String;Ljava/lang/String;ZLjava/lang/String;Ljava/lang/String;)V", @@ -1740,7 +1774,9 @@ static const JNINativeMethod gMethods[] = { { "nativeBlockSigTerm", "()V", (void* ) com_android_internal_os_Zygote_nativeBlockSigTerm }, { "nativeUnblockSigTerm", "()V", - (void* ) com_android_internal_os_Zygote_nativeUnblockSigTerm } + (void* ) com_android_internal_os_Zygote_nativeUnblockSigTerm }, + { "nativeBoostUsapPriority", "()V", + (void* ) com_android_internal_os_Zygote_nativeBoostUsapPriority } }; int register_com_android_internal_os_Zygote(JNIEnv* env) { diff --git a/core/res/res/values-af-rZA/du_strings.xml b/core/res/res/values-af-rZA/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-af-rZA/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-af-rZA/strings.xml b/core/res/res/values-af-rZA/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-af-rZA/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-ar-rSA/du_strings.xml b/core/res/res/values-ar-rSA/du_strings.xml new file mode 100644 index 0000000000000..e96d664dd9e75 --- /dev/null +++ b/core/res/res/values-ar-rSA/du_strings.xml @@ -0,0 +1,48 @@ + + + + + إعادة التشغيل + إعادة تشغيل النظام + + Spoof package signature + + السماح للتطبيق بالتظاهر بأنه تطبيق آخر. يمكن للتطبيقات الخبيثة أن تستخدم هذه الميزة للوصول إلى البيانات الخاصة للتطبيقات. توخٙ الحذر عند منح هذا الإذن! + + تزييف التوقيع الرقمي للحزمة + + السماح بتزييف التوقيع الرقمي للحزم + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-ar-rSA/strings.xml b/core/res/res/values-ar-rSA/strings.xml new file mode 100644 index 0000000000000..47f615246cd52 --- /dev/null +++ b/core/res/res/values-ar-rSA/strings.xml @@ -0,0 +1,4724 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days + Last %d day + Last %d days + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + in %dy + in %dy + + + + %d minutes ago + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hours ago + %d hour ago + %d hours ago + %d hours ago + %d hours ago + %d hours ago + + + + %d days ago + %d day ago + %d days ago + %d days ago + %d days ago + %d days ago + + + + %d years ago + %d year ago + %d years ago + %d years ago + %d years ago + %d years ago + + + + in %d minutes + in %d minute + in %d minutes + in %d minutes + in %d minutes + in %d minutes + + + + in %d hours + in %d hour + in %d hours + in %d hours + in %d hours + in %d hours + + + + in %d days + in %d day + in %d days + in %d days + in %d days + in %d days + + + + in %d years + in %d year + in %d years + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi networks available + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + %d of %d + + 1 match + %d of %d + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For %1$d min (until %2$s) + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For %1$d hours (until %2$s) + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For %1$d hr (until %2$s) + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For %d minutes + For one minute + For %d minutes + For %d minutes + For %d minutes + For %d minutes + + + + For %d min + For 1 min + For %d min + For %d min + For %d min + For %d min + + + + For %d hours + For 1 hour + For %d hours + For %d hours + For %d hours + For %d hours + + + + For %d hr + For 1 hr + For %d hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files + %s + %d file + %s + %d files + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-ca-rES/du_strings.xml b/core/res/res/values-ca-rES/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-ca-rES/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-ca-rES/strings.xml b/core/res/res/values-ca-rES/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-ca-rES/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-cs-rCZ/du_strings.xml b/core/res/res/values-cs-rCZ/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-cs-rCZ/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-cs-rCZ/strings.xml b/core/res/res/values-cs-rCZ/strings.xml new file mode 100644 index 0000000000000..e8beb0dab96e0 --- /dev/null +++ b/core/res/res/values-cs-rCZ/strings.xml @@ -0,0 +1,4652 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + in %d days + + + + in %d year + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-da-rDK/du_strings.xml b/core/res/res/values-da-rDK/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-da-rDK/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-da-rDK/strings.xml b/core/res/res/values-da-rDK/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-da-rDK/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-de-rDE/du_strings.xml b/core/res/res/values-de-rDE/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-de-rDE/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-de-rDE/strings.xml b/core/res/res/values-de-rDE/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-de-rDE/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-el-rGR/du_strings.xml b/core/res/res/values-el-rGR/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-el-rGR/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-el-rGR/strings.xml b/core/res/res/values-el-rGR/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-el-rGR/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-en-rUS/du_strings.xml b/core/res/res/values-en-rUS/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-en-rUS/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-en-rUS/strings.xml b/core/res/res/values-en-rUS/strings.xml index adae7f4906c52..cdb36a800b3c4 100644 --- a/core/res/res/values-en-rUS/strings.xml +++ b/core/res/res/values-en-rUS/strings.xml @@ -1,1234 +1,4580 @@ - - - "B" - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list diff --git a/core/res/res/values-es-rES/du_strings.xml b/core/res/res/values-es-rES/du_strings.xml new file mode 100644 index 0000000000000..9bfbdfb1a3699 --- /dev/null +++ b/core/res/res/values-es-rES/du_strings.xml @@ -0,0 +1,47 @@ + + + + + Reiniciar + Reiniciando el sistema + + Firma de paquete + + Permite que la aplicación se ejecute como una aplicación diferente. Las aplicaciones maliciosas pueden usar esto para acceder a datos personales. Conceda este permiso con cuidado! + + Firma de paquete + + permitir a la firma de paquete falseado + + ¿Quieres permitir que <b>%1$s</b> falsifique la firma del paquete? + + Copiar URL del registro de errores + URL copiada con éxito + Se ha producido un error al cargar el registro en dogbin + + Modo Gaming + Modo Gaming activado + Toca para desactivar el modo Gaming + Modo Gaming activado + Modo Gaming desactivado + + ADB sobre la red activado + + ADB sobre & red USB habilitada + + Toca para desactivar la depuración. + + Mantén pulsado el botón de encendido para desbloquear + diff --git a/core/res/res/values-es-rES/strings.xml b/core/res/res/values-es-rES/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-es-rES/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-fi-rFI/du_strings.xml b/core/res/res/values-fi-rFI/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-fi-rFI/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-fi-rFI/strings.xml b/core/res/res/values-fi-rFI/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-fi-rFI/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-fr-rFR/du_strings.xml b/core/res/res/values-fr-rFR/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-fr-rFR/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-fr-rFR/strings.xml b/core/res/res/values-fr-rFR/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-fr-rFR/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-hi-rIN/du_strings.xml b/core/res/res/values-hi-rIN/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-hi-rIN/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-hi-rIN/strings.xml b/core/res/res/values-hi-rIN/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-hi-rIN/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-hu-rHU/du_strings.xml b/core/res/res/values-hu-rHU/du_strings.xml new file mode 100644 index 0000000000000..af3eda18ef698 --- /dev/null +++ b/core/res/res/values-hu-rHU/du_strings.xml @@ -0,0 +1,47 @@ + + + + + Újraindítás + A rendszer újraindítása + + Hamis csomagaláírás + + Engedélyezi az alkalmazás számára, hogy más alkalmazásként azonosítsa magát. A kártékony alkalmazások ezt személyes adatok elérésére használhatják. Kellő elővigyázatossággal adja meg ezt az engedélyt! + + Hamis csomagaláírás + + engedélyezze a hamis csomagaláírásokat + + Engedélyezi a(z) <b>%1$s</b> számára a hamis csomagaláírást? + + Az összeomlási napló URL-jének másolása + Az URL sikeresen másolva + Hiba történt a napló dogbin-re való feltöltése során + + Játékmód + Játékmód engedélyezve + Érintse meg a Játékmódból való kilépéshez + A Játékmód bekapcsolásra került + A Játékmód kikapcsolásra került + + Hálózaton keresztüli ADB hozzáférés engedélyezve + + ADB hozzáférés USB-n & és hálózaton keresztül engedélyezve + + Érintse meg az USB hibakeresés kikapcsolásához. + + Tartsa lenyomva a bekapcsoló gombot a feloldáshoz + diff --git a/core/res/res/values-hu-rHU/strings.xml b/core/res/res/values-hu-rHU/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-hu-rHU/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-in-rID/du_strings.xml b/core/res/res/values-in-rID/du_strings.xml new file mode 100644 index 0000000000000..bb98cf1091055 --- /dev/null +++ b/core/res/res/values-in-rID/du_strings.xml @@ -0,0 +1,47 @@ + + + + + Mulai ulang + Memulai ulang sistem + + Memalsukan tandatangan paket + + Mengizinkan aplikasi berpura-pura menjadi aplikasi yang berbeda. Aplikasi berbahaya mungkin dapat menggunakan ini untuk mengakses data aplikasi pribadi. Berikan izin ini hanya dengan hati-hati! + + Memalsukan tandatangan paket + + izinkan untuk memalsukan tanda tangan paket + + Izinkan <b>%1$s</b> untuk memalsukan paket? + + Salin URL riwayat kerusakan + Tautan berhasil disalin + Terjadi kesalahan saat mengunggah log ke dogbin + + Mode Permanian + Mode Permainan aktif + Ketuk untuk mematikan Mode Permainan + Mode permainan aktif + Mode permainan nonaktif + + ADB melalui jaringan diaktifkan + + ADB melalui USB & jaringan diaktifkan + + Sentuh untuk menonaktifkan debugging. + + Tekan dan tahan tombol daya untuk membuka + diff --git a/core/res/res/values-it-rIT/du_strings.xml b/core/res/res/values-it-rIT/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-it-rIT/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-it-rIT/strings.xml b/core/res/res/values-it-rIT/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-it-rIT/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-iw-rIL/du_strings.xml b/core/res/res/values-iw-rIL/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-iw-rIL/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-iw-rIL/strings.xml b/core/res/res/values-iw-rIL/strings.xml new file mode 100644 index 0000000000000..4b18767840dfb --- /dev/null +++ b/core/res/res/values-iw-rIL/strings.xml @@ -0,0 +1,4652 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + in %d days + + + + in %d year + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-ja-rJP/du_strings.xml b/core/res/res/values-ja-rJP/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-ja-rJP/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-ja-rJP/strings.xml b/core/res/res/values-ja-rJP/strings.xml new file mode 100644 index 0000000000000..9a3848fa66520 --- /dev/null +++ b/core/res/res/values-ja-rJP/strings.xml @@ -0,0 +1,4544 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + + + + %dh + + + + %dd + + + + %dy + + + + in %dm + + + + in %dh + + + + in %dd + + + + in %dy + + + + %d minutes ago + + + + %d hours ago + + + + %d days ago + + + + %d years ago + + + + in %d minutes + + + + in %d hours + + + + in %d days + + + + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available + + + + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) + + + + For %1$d min (until %2$s) + + + + For %1$d hours (until %2$s) + + + + For %1$d hr (until %2$s) + + + + For %d minutes + + + + For %d min + + + + For %d hours + + + + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-ko-rKR/du_strings.xml b/core/res/res/values-ko-rKR/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-ko-rKR/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-ko-rKR/strings.xml b/core/res/res/values-ko-rKR/strings.xml new file mode 100644 index 0000000000000..9a3848fa66520 --- /dev/null +++ b/core/res/res/values-ko-rKR/strings.xml @@ -0,0 +1,4544 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + + + + %dh + + + + %dd + + + + %dy + + + + in %dm + + + + in %dh + + + + in %dd + + + + in %dy + + + + %d minutes ago + + + + %d hours ago + + + + %d days ago + + + + %d years ago + + + + in %d minutes + + + + in %d hours + + + + in %d days + + + + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available + + + + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) + + + + For %1$d min (until %2$s) + + + + For %1$d hours (until %2$s) + + + + For %1$d hr (until %2$s) + + + + For %d minutes + + + + For %d min + + + + For %d hours + + + + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-nl-rNL/du_strings.xml b/core/res/res/values-nl-rNL/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-nl-rNL/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-nl-rNL/strings.xml b/core/res/res/values-nl-rNL/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-nl-rNL/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-no-rNO/du_strings.xml b/core/res/res/values-no-rNO/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-no-rNO/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-no-rNO/strings.xml b/core/res/res/values-no-rNO/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-no-rNO/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-pl-rPL/du_strings.xml b/core/res/res/values-pl-rPL/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-pl-rPL/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-pl-rPL/strings.xml b/core/res/res/values-pl-rPL/strings.xml new file mode 100644 index 0000000000000..e8beb0dab96e0 --- /dev/null +++ b/core/res/res/values-pl-rPL/strings.xml @@ -0,0 +1,4652 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + in %d days + + + + in %d year + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-pt-rBR/du_strings.xml b/core/res/res/values-pt-rBR/du_strings.xml new file mode 100644 index 0000000000000..2bcf5a9cbd620 --- /dev/null +++ b/core/res/res/values-pt-rBR/du_strings.xml @@ -0,0 +1,47 @@ + + + + + Reiniciar + Reiniciando o sistema... + + Falsificar a assinatura do pacote + + Permite que o aplicativo finja ser um aplicativo diferente. Aplicativos maliciosos podem usar isso para acessar dados privados de outros aplicativos. Conceda esta permissão com cuidado! + + Falsificar a assinatura do pacote + + permitir falsificar a assinatura do pacote + + Permitir que <b>%1$s</b> falsifique a assinatura do pacote? + + Copiar URL do log de erro + URL copiada com sucesso + Ocorreu um erro durante o upload do log para o dogbin + + Modo de Jogo + Modo jogo ativado + Toque para desativar o modo de jogo + O modo de jogo foi ativado + O modo de jogo foi desativado + + ADB sobre rede ativado + + ADB sobre USB & rede habilitado + + Toque para desativar a depuração. + + Pressione e segure o botão liga/desliga para desbloquear + diff --git a/core/res/res/values-pt-rBR/strings.xml b/core/res/res/values-pt-rBR/strings.xml index 0ac0383014145..cdb36a800b3c4 100644 --- a/core/res/res/values-pt-rBR/strings.xml +++ b/core/res/res/values-pt-rBR/strings.xml @@ -1,5 +1,5 @@ - - - - - "B" - "KB" - "MB" - "GB" - "TB" - "PB" - "%1$s %2$s" - "<Sem título>" - "(Nenhum número de telefone)" - "Desconhecido" - "Correio de voz" - "MSISDN1" - "Problema de conexão ou código MMI inválido." - "A operação é limitada somente a números de discagem fixa." - "Não é possível alterar as configurações de encaminhamento de chamada do seu smartphone em roaming." - "O serviço foi ativado." - "O serviço foi ativado para:" - "O serviço foi desativado." - "Registro bem-sucedido." - "Exclusão bem-sucedida." - "Senha incorreta." - "MMI concluído." - "O PIN antigo digitado está incorreto." - "O PUK digitado está incorreto." - "Os PINs digitados não correspondem." - "Digite um PIN com 4 a 8 números." - "Digite um PUK com oito números ou mais." - "O seu chip está bloqueado por um PUK. Digite o código PUK para desbloqueá-lo." - "Digite o PUK2 para desbloquear o chip." - "Falha. Ative o bloqueio do chip/R-UIM." - - Tentativas restantes: %d. Caso o código correto não seja digitado, o chip será bloqueado. - Tentativas restantes: %d. Caso o código correto não seja digitado, o chip será bloqueado. +--> + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. - "IMEI" - "MEID" - "ID do chamador de entrada" - "ID do chamador de saída" - "ID de linha conectada" - "Restrição de ID de linha conectada" - "Encaminhamento de chamada" - "Chamada em espera" - "Bloqueio de chamadas" - "Alteração da senha" - "Alteração do PIN" - "Chamando número atual" - "Chamando número restrito" - "Chamada com três participantes" - "Rejeição das chamadas indesejadas" - "Chamando número de entrega" - "Não perturbe" - "O ID do chamador assume o padrão de restrito. Próxima chamada: Restrita" - "O ID do chamador assume o padrão de restrito. Próxima chamada: Não restrita" - "O ID do chamador assume o padrão de não restrito. Próxima chamada: Restrita" - "O ID do chamador assume o padrão de não restrito. Próxima chamada: Não restrita" - "O serviço não foi habilitado." - "Não é possível alterar a configuração de identificação de chamadas." - "Nenhum serviço móvel de dados" - "Chamadas de emergência indisponíveis" - "Sem serviço de voz" - "Nenhum serviço de voz nem chamada de emergência" - "Temporariamente desativado pela sua operadora" - "Temporariamente desativado pela sua operadora para o chip %d" - "Não foi possível acessar a rede móvel" - "Tente alterar a rede preferencial. Toque para alterar." - "Chamadas de emergência indisponíveis" - "Não é possível fazer chamadas de emergência por Wi‑Fi" - "Alertas" - "Encaminhamento de chamada" - "Modo de retorno de chamada de emergência" - "Status dos dados móveis" - "Mensagens SMS" - "Mensagens do correio de voz" - "Chamadas por Wi-Fi" - "Status do chip" - "Status de prioridade alta do chip" - "TTD modo COMPLETO solicitado" - "TTD modo HCO solicitado" - "TTD modo VCO solicitado" - "TTD modo DESLIGADO solicitado" - "Voz" - "Dados" - "FAX" - "SMS" - "Assíncrono" - "Sincronizar" - "Pacote" - "PAD" - "Indicador de roaming ativado" - "Indicador de roaming desativado" - "Indicador de roaming piscando" - "Fora da vizinhança" - "Ao ar livre" - "Roaming - Sistema recomendado" - "Roaming - Sistema disponível" - "Roaming - Parceiro do Alliance" - "Roaming - Parceiro do Google Premium" - "Roaming - Funcionalidade de serviço completo" - "Roaming - Funcionalidade de serviço parcial" - "Banner de roaming ativado" - "Banner de roaming desativado" - "Pesquisando serviço" - "Não foi possível configurar a chamada no Wi‑Fi" - - "Para fazer chamadas e enviar mensagens por Wi-Fi, primeiro peça à sua operadora para configurar esse serviço. Depois, ative novamente a chamada no Wi-Fi nas configurações. Código de erro: %1$s" - - - "Ocorreu um problema ao registrar a chamada no Wi‑Fi junto à sua operadora: %1$s" - - - - "Chamada no Wi-Fi de %s" - "Chamada no Wi-Fi de %s" - "Chamada por WLAN" - "Chamada por WLAN de %s" - "Wi-Fi de %s" - "Chamada no Wi-Fi | %s" - "VoWifi de %s" - "Chamada no Wi-Fi" - "Wi-Fi" - "Chamada no Wi-Fi" - "VoWifi" - "Desativado" - "Chamar via Wi-Fi" - "Chamar via rede móvel" - "Somente Wi-Fi" - "{0}: Não encaminhado" - "{0}: {1}" - "{0}: {1} após {2} segundos" - "{0}: Não encaminhado" - "{0}: Não encaminhado" - "Código de recurso concluído." - "Problema de conexão ou código de recurso inválido." - "OK" - "Ocorreu um erro na rede." - "Não foi possível encontrar o URL." - "O esquema de autenticação do site não é suportado." - "Não foi possível autenticar." - "Falha na autenticação por meio do servidor proxy." - "Não foi possível se conectar ao servidor." - "Não foi possível estabelecer comunicação com o servidor. Tente novamente mais tarde." - "O tempo limite de conexão com o servidor esgotou." - "A página contém muitos redirecionamentos do servidor." - "O protocolo não é compatível." - "Não foi possível estabelecer uma conexão segura." - "Não foi possível abrir a página porque o URL é inválido." - "Não foi possível acessar o arquivo." - "Não foi possível encontrar o arquivo solicitado." - "Há muitas solicitações sendo processadas. Tente novamente mais tarde." - "Erro de login para %1$s" - "Sincronizar" - "Não foi possível sincronizar" - "Tentativa de excluir muito conteúdo de %s." - "O armazenamento do tablet está cheio. Exclua alguns arquivos para liberar espaço." - "Armazenamento do relógio cheio. Exclua alguns arquivos para liberar espaço." - "O armazenamento da TV está cheio. Exclua alguns arquivos para liberar espaço." - "O armazenamento do telefone está cheio. Exclua alguns arquivos para liberar espaço." - - Autoridades de certificação instaladas - Autoridades de certificação instaladas + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed - "Por terceiros desconhecidos" - "Pelo administrador do seu perfil de trabalho" - "Por %s" - "Perfil de trabalho excluído" - "O app para administrador do perfil de trabalho não foi encontrado ou está corrompido. Consequentemente, seu perfil de trabalho e os dados relacionados foram excluídos. Entre em contato com seu administrador para receber assistência." - "Seu perfil de trabalho não está mais disponível neste dispositivo" - "Muitas tentativas de senha" - "O dispositivo é gerenciado" - "Sua organização gerencia este dispositivo e pode monitorar o tráfego de rede. Toque para ver detalhes." - "Seu dispositivo será limpo" - "Não é possível usar o aplicativo para administrador. Seu dispositivo passará por uma limpeza agora.\n\nEm caso de dúvidas, entre em contato com o administrador da sua organização." - "Impressão desativada por %s." - "Eu" - "Opções do tablet" - "Opções de TV" - "Opções do telefone" - "Modo silencioso" - "Ativar sem fio" - "Desativar a rede sem fio" - "Bloquear tela" - "Desligar" - "Campainha desligada" - "Vibração da campainha" - "Campainha ligada" - "Atualização do sistema Android" - "Preparando para atualizar..." - "Processando o pacote de atualização…" - "Reiniciando..." - "Redefinição para configuração original" - "Reiniciando..." - "Encerrando…" - "Seu tablet será desligado." - "Sua TV será desligada." - "Seu relógio será desligado." - "O seu telefone será desligado." - "Quer desligar?" - "Reiniciar no modo de segurança" - "Quer reiniciar no modo de segurança? Isso desativará todos os apps de terceiros instalados. Eles serão restaurados quando você reiniciar novamente." - "Recente" - "Nenhum app recente" - "Opções do tablet" - "Opções da TV" - "Opções do telefone" - "Bloquear tela" - "Desligar" - "Emergência" - "Relatório de bugs" - "Finalizar sessão" - "Captura de tela" - "Relatório de bug" - "Isto coletará informações sobre o estado atual do dispositivo para enviá-las em uma mensagem de e-mail. Após iniciar o relatório de bugs, será necessário aguardar algum tempo até que esteja pronto para ser enviado." - "Relatório interativo" - "Use este recurso na maioria das circunstâncias. Ele permite que você acompanhe o progresso do relatório, informe mais detalhes sobre o problema e faça capturas de tela. É possível que ele omita algumas seções menos utilizadas que levam muito tempo na emissão dos relatórios." - "Relatório completo" - "Use esta opção para ter o mínimo de interferência do sistema quando seu dispositivo não estiver respondendo ou estiver muito lento, ou quando você precisar de todas as seções de relatórios. Ela não permite que você informe mais detalhes ou faça capturas de tela adicionais." - - Capturas de tela para o relatório de bug serão feitas em %d segundos. - Capturas de tela para o relatório de bug serão feitas em %d segundos. + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. - "Modo silencioso" - "Som DESATIVADO" - "O som está ATIVADO" - "Modo avião" - "Modo avião ATIVADO" - "Modo avião DESATIVADO" - "Configurações" - "Assistência" - "Ajuda de voz" - "Bloqueio total" - ">999" - "Nova notificação" - "Teclado virtual" - "Teclado físico" - "Segurança" - "Modo carro" - "Status da conta" - "Mensagens do desenvolvedor" - "Atualizações" - "Status de rede" - "Alertas de rede" - "Rede disponível" - "Status de VPN" - "Alertas do administrador de TI" - "Alertas" - "Demonstração na loja" - "Conexão USB" - "App em execução" - "Apps que estão consumindo a bateria" - "O app %1$s está consumindo a bateria" - "%1$d apps estão consumindo a bateria" - "Tocar para ver detalhes sobre a bateria e o uso de dados" - "%1$s, %2$s" - "Modo de segurança" - "Sistema Android" - "Deslize até o perfil pessoal" - "Alternar para o perfil de trabalho" - "Contatos" - "acesse seus contatos" - "Permitir que o app <b>%1$s</b> acesse seus contatos?" - "Local" - "acesse o local do dispositivo" - "Permitir que o app <b>%1$s</b> acesse o local deste dispositivo?" - "O app só terá acesso ao local enquanto estiver sendo usado" - "Permitir que o <b>%1$s</b> acesse o local do dispositivo <b>o tempo todo</b>?" - "No momento, o app só pode acessar o local enquanto estiver sendo usado" - "Agenda" - "acesse sua agenda" - "Permitir que <b>%1$s</b> acesse sua agenda?" - "SMS" - "envie e veja mensagens SMS" - "Permitir que <b>%1$s</b> acesse e envie mensagens SMS?" - "Armazenamento" - "acesse fotos, mídia e arquivos do dispositivo" - "Permitir que o app <b>%1$s</b> acesse fotos, mídia e arquivos no seu dispositivo?" - "Microfone" - "grave áudio" - "Permitir que o app <b>%1$s</b> grave áudio?" - "Atividade física" - "acessar sua atividade física" - "Permitir que o app <b>%1$s</b> acesse sua atividade física?" - "Câmera" - "tire fotos e grave vídeos" - "Permitir que o app <b>%1$s</b> tire fotos e grave vídeos?" - "Registro de chamadas" - "ler e gravar o registro de chamadas telefônicas" - "Permitir que o app <b>%1$s</b> acesse seu registro de chamadas telefônicas?" - "Telefone" - "faça e gerencie chamadas telefônicas" - "Permitir que o app <b>%1$s</b> gerencie e faça chamadas telefônicas?" - "Sensores corporais" - "acesse dados do sensor sobre seus sinais vitais" - "Permitir que <b>%1$s</b> acesse os dados do sensor sobre seus sinais vitais?" - "Acessar conteúdo de uma janela" - "Inspeciona o conteúdo de uma janela com a qual você está interagindo." - "Ativar Explorar por toque" - "Ao serem tocados, os itens serão descritos em voz alta. A tela também poderá ser reconhecida por gestos." - "Observar o texto digitado" - "Inclui dados pessoais, como números de cartão de crédito e senhas." - "Controlar ampliação da tela" - "Controla o posicionamento e o zoom da tela." - "Fazer gestos" - "Toque, deslize, faça gestos de pinça e faça outros gestos." - "Gestos de impressão digital" - "Pode captar gestos realizados no sensor de impressão digital do dispositivo." - "desativar ou modificar a barra de status" - "Permite que o app desative a barra de status ou adicione e remova ícones do sistema." - "ser a barra de status" - "Permite que o app seja a barra de status." - "expandir/recolher barra de status" - "Permite que o app expanda ou recolha a barra de status." - "instalar atalhos" - "Permite que um app adicione atalhos da tela inicial sem a intervenção do usuário." - "desinstalar atalhos" - "Permite que o app remova atalhos da tela inicial sem a intervenção do usuário." - "redirecionar as chamadas efetuadas" - "Permite que o app veja o número discado ao realizar uma chamada, com a opção de redirecionar a chamada para outro número ou abortá-la." - "atender chamadas telefônicas" - "Permite que o app atenda uma chamada recebida." - "receber mensagens de texto (SMS)" - "Permite que o app receba e processe mensagens SMS. Isso significa que o app pode monitorar ou excluir mensagens enviadas para o dispositivo sem mostrá-las para você." - "receber mensagens de texto (MMS)" - "Permite que o app receba e processe mensagens MMS. Isso significa que o app pode monitorar ou excluir as mensagens enviadas para o dispositivo sem mostrá-las para você." - "ler mensagens de difusão celular" - "Permite que o app leia mensagens de difusão celular recebidas por seu dispositivo. Alertas de difusão celular são recebidos em alguns locais para avisar você de situações de emergência. Apps maliciosos podem interferir no desempenho ou funcionamento de seu dispositivo quando uma difusão celular de emergência é recebida." - "ler feeds inscritos" - "Permite que o app obtenha detalhes sobre os feeds sincronizados no momento." - "envie e veja mensagens SMS" - "Permite que o app envie mensagens SMS. Isso pode resultar em cobranças inesperadas. Apps maliciosos podem gerar custos através do envio de mensagens sem sua confirmação." - "ler suas mensagens de texto (SMS ou MMS)" - "Este app pode ler todas as mensagens SMS (de texto) armazenadas no seu tablet." - "Este app pode ler todas as mensagens SMS (de texto) armazenadas na sua TV." - "Este app pode ler todas as mensagens SMS (de texto) armazenadas no seu smartphone." - "receber mensagens de texto (WAP)" - "Permite que o app receba e processe mensagens WAP. Esta permissão inclui a capacidade de monitorar ou excluir mensagens enviadas para você sem mostrá-las para você." - "recuperar apps em execução" - "Permite que o app obtenha informações sobre tarefas em execução atuais e recentes. Pode permitir que o app descubra informações sobre os apps usados ​​no dispositivo." - "gerenciar proprietários de perfis e de dispositivos" - "Permitir que os apps definam os proprietários de perfis e de dispositivos." - "reordenar os apps em execução" - "Permite que o app mova tarefas para o primeiro e o segundo plano, sem sua intervenção." - "ativar o modo carro" - "Permite que o app ative o modo Carro." - "fechar outros apps" - "Permite que o app encerre processos em segundo plano de outros apps. Pode ser que outros apps parem de funcionar." - "Este app pode se sobrepor visualmente a outros apps" - "Este app pode se sobrepor visualmente a outros apps ou a outras partes da tela. Isso pode interferir no uso normal do app e alterar a forma como os outros apps são exibidos." - "executar em segundo plano" - "Este app pode ser executado em segundo plano, o que pode esgotar a bateria mais rapidamente." - "usar dados em segundo plano" - "Este app pode usar dados em segundo plano, o que pode aumentar o uso de dados." - "sempre executar o app" - "Permite que o app torne partes de si mesmo persistentes na memória. Pode limitar a memória disponível para outros apps, deixando o tablet mais lento." - "Permite que o app torne partes de si mesmo persistentes na memória. Isso pode limitar a memória disponível para outros apps, deixando a TV mais lenta." - "Permite que o app torne partes de si mesmo persistentes na memória. Pode limitar a memória disponível para outros apps, deixando o telefone mais lento." - "executar serviço em primeiro plano" - "Permite que o app use serviços em primeiro plano." - "medir o espaço de armazenamento do app" - "Permite que o app recupere o código, os dados e os tamanhos de cache" - "modificar configurações do sistema" - "Permite que o app modifique os dados das configurações do sistema. Apps maliciosos podem corromper a configuração de seu sistema." - "executar na inicialização" - "Permite que o app inicie-se logo que o sistema concluir a inicialização. Isso pode tornar a inicialização do tablet mais lenta e permitir que o app deixe o telefone mais lento por estar sempre em execução." - "Permite que o app seja iniciado assim que o sistema terminar de ser iniciado. Isso pode fazer com que demore mais tempo para a TV ser iniciada, além de permitir que o app deixe o tablet em geral mais lento por estar sempre em execução." - "Permite que o app inicie-se logo que o sistema concluir a inicialização. Isso pode tornar a inicialização do telefone mais lenta e permitir que o app deixe o telefone mais lento por estar sempre em execução." - "enviar transmissão persistente" - "Permite que o app envie transmissões fixas, que permaneçam depois que a transmissão terminar. O uso excessivo pode desacelerar ou desestabilizar o tablet, fazendo com que ele utilize muita memória." - "Permite que o app envie transmissões aderentes, que permanecem depois que a transmissão termina. O uso excessivo pode fazer com que a TV fique lenta ou instável ao fazer com que ela use muita memória." - "Permite que o app envie transmissões fixas, que permanecem depois que a transmissão termina. O uso excessivo pode deixar o telefone lento ou instável, fazendo com que ele use muita memória." - "ler seus contatos" - "Permite que o app leia dados sobre seus contatos armazenados no tablet. Essa permissão autoriza os apps a salvarem os dados dos seus contatos, e apps maliciosos podem compartilhar esses dados sem seu conhecimento." - "Permite que o app leia dados sobre seus contatos armazenados na TV. Essa permissão autoriza os apps a salvarem os dados dos seus contatos, e apps maliciosos podem compartilhar esses dados sem seu conhecimento." - "Permite que o app leia dados sobre seus contatos armazenados no smartphone. Essa permissão autoriza os apps a salvarem os dados dos seus contatos, e apps maliciosos podem compartilhar esses dados sem seu conhecimento." - "modificar seus contatos" - "Permite que o app modifique os dados sobre os contatos armazenados no tablet. Essa permissão autoriza os apps a excluírem dados de contato." - "Permite que o app modifique os dados sobre os contatos armazenados na TV. Essa permissão autoriza os apps a excluírem dados de contato." - "Permite que o app modifique os dados sobre os contatos armazenados no smartphone. Essa permissão autoriza os apps a excluírem dados de contato." - "ler registro de chamadas" - "Este app pode ler seu histórico de chamadas." - "salvar no registo de chamadas" - "Permite que o app modifique o registro de chamadas de seu tablet, incluindo dados sobre chamadas recebidas e efetuadas. Apps maliciosos podem usar esta permissão para apagar ou modificar seu registro de chamadas." - "Permite que o app modifique o registro de chamadas da sua TV, incluindo dados sobre chamadas recebidas e efetuadas. Apps maliciosos podem usá-lo para apagar ou modificar seu registro de chamadas." - "Permite que o app modifique o registro de chamadas de seu telefone, incluindo dados sobre chamadas recebidas e efetuadas. Apps maliciosos podem usar esta permissão para apagar ou modificar seu registro de chamadas." - "acessar sensores corporais (como monitores de frequência cardíaca)" - "Permite que o app acesse dados de sensores que monitoram sua condição física, como a frequência cardíaca." - "Ler detalhes e eventos da agenda" - "Este app pode ler todos os eventos da agenda armazenados no seu tablet e compartilhar ou salvar os dados da sua agenda." - "Este app pode ler todos os eventos da agenda armazenados na sua TV e compartilhar ou salvar os dados da sua agenda." - "Este app pode ler todos os eventos da agenda armazenados no seu smartphone e compartilhar ou salvar os dados da sua agenda." - "adicionar ou modificar compromissos e enviar e-mail para os convidados sem o conhecimento dos donos" - "Este app pode adicionar, remover ou alterar eventos da agenda no seu tablet. Ele também pode enviar mensagens que aparentem ser de autoria do proprietário da agenda ou alterar eventos sem notificar o proprietário." - "Este app pode adicionar, remover ou alterar eventos da agenda na sua TV. Ele também pode enviar mensagens que aparentem ser de autoria do proprietário da agenda ou alterar eventos sem notificar o proprietário." - "Este app pode adicionar, remover ou alterar eventos da agenda no seu smartphone. Ele também pode enviar mensagens que aparentem ser de autoria do proprietário da agenda ou alterar eventos sem notificar o proprietário." - "acessar comandos extras do provedor de localização" - "Permite que o app acesse comandos do provedor não relacionados à localização. Isso pode permitir que o app interfira no funcionamento do GPS ou de outras fontes de localização." - "acessar localização precisa apenas em primeiro plano" - "Este app pode ver sua localização exata a qualquer momento apenas quando está em primeiro plano. Esses serviços de localização precisam estar ativados e disponíveis no seu smartphone para que o app possa usá-los. Isso pode aumentar o consumo de bateria." - "acessar localização aproximada (baseada em rede) apenas em primeiro plano" - "Esse app pode acessar sua localização com base em fontes de rede, como torres de celular e redes Wi-Fi, mas apenas quando está em primeiro plano. Esses serviços de localização precisam estar ativados e disponíveis no seu tablet para que o app possa usá-los." - "Esse app pode acessar sua localização com base em fontes de rede, como torres de celular e redes Wi-Fi, mas apenas quando está em primeiro plano. Esses serviços de localização precisam estar ativados e disponíveis na sua TV para que o app possa usá-los." - "Este app poderá acessar seu local aproximado somente quando estiver em primeiro plano. Esses serviços de localização precisam estar ativados e disponíveis no seu carro para que o app possa usá-los." - "Esse app pode acessar sua localização com base em fontes de rede, como torres de celular e redes Wi-Fi, mas apenas quando está em primeiro plano. Esses serviços de localização precisam estar ativados e disponíveis no seu smartphone para que o app possa usá-los." - "acessar a localização em segundo plano" - "Se essa permissão for concedida, além do acesso à localização precisa ou aproximada, o app poderá acessar a localização durante a execução em segundo plano." - "alterar as suas configurações de áudio" - "Permite que o app modifique configurações de áudio globais como volume e alto-falantes de saída." - "gravar áudio" - "Este app pode gravar áudio usando o microfone a qualquer momento." - "enviar comandos para o chip" - "Permite que o app envie comandos ao chip. Muito perigoso." - "reconhecer atividade física" - "Este app pode reconhecer sua atividade física." - "tirar fotos e gravar vídeos" - "Este app pode tirar fotos e gravar vídeos usando a câmera a qualquer momento." - "Permitir que um aplicativo ou serviço receba callbacks sobre dispositivos de câmera sendo abertos ou fechados." - "Esse app pode receber callbacks quando um dispositivo de câmera é aberto (por qualquer app) ou fechado." - "controlar vibração" - "Permite que o app controle a vibração." - "ligar diretamente para números de telefone" - "Permite que o app ligue para números de telefone sem sua intervenção. Isso pode resultar em cobranças ou chamadas inesperadas. Esta opção não permite que o app ligue para números de emergência. Apps maliciosos podem gerar custos com chamadas feitas sem sua confirmação." - "acessar serviço de mensagens instantâneas para chamadas" - "Permite que o app use o serviço de mensagens instantâneas para fazer chamadas sem sua intervenção." - "ler status e identidade do telefone" - "Permite que o app acesse os recursos de telefonia do dispositivo. Esta permissão autoriza o app a determinar o número de telefone e IDs de dispositivo, quando uma chamada está ativa, e o número remoto conectado a uma chamada." - "encaminhar chamadas pelo sistema" - "Permite que o app encaminhe suas chamadas por meio do sistema para melhorar a experiência com chamadas." - "ver e controlar chamadas pelo sistema." - "Permite que o app veja e controle chamadas em andamento no dispositivo. Isso inclui informações como número e estado das chamadas." - "continuar uma chamada de outro app" - "Permite que o app continue uma chamada que foi iniciada em outro app." - "ler números de telefone" - "Permite que o app acesse os número de telefone do dispositivo." - "manter a tela do carro ativada" - "impedir modo de inatividade do tablet" - "impedir a suspensão da TV" - "impedir modo de inatividade do telefone" - "Permite que o app mantenha a tela do carro ativada." - "Permite que o app impeça a suspensão do tablet." - "Permite que o app impeça a suspensão da TV." - "Permite que o app impeça a suspensão do telefone." - "transmitir infravermelhos" - "Permite que o app use o transmissor infravermelho do tablet." - "Permite que o app use o transmissor de infravermelho da TV." - "Permite que o app use o transmissor infravermelho do telefone." - "definir plano de fundo" - "Permite que o app defina o plano de fundo do sistema." - "ajustar tamanho do plano de fundo" - "Permite que o app defina as dicas de tamanho do plano de fundo do sistema." - "definir fuso horário" - "Permite que o app altere o fuso horário do tablet." - "Permite que o app altere o fuso horário da TV." - "Permite que o app altera o fuso horário do telefone." - "encontrar contas no dispositivo" - "Permite que o app obtenha a lista de contas conhecidas pelo tablet. Isso pode incluir todas as contas criadas pelos apps instalados." - "Permite que o app receba a lista de contas conhecidas pela TV. Isso pode incluir todas as contas criadas pelos apps instalados." - "Permite que o app obtenha a lista de contas conhecidas pelo telefone. Isso pode incluir todas as contas criadas pelos apps instalados." - "ver conexões de rede" - "Permite que o app acesse informações sobre conexões de rede, como as redes existentes e conectadas." - "ter acesso total à rede" - "Permite que o app crie soquetes de rede e utilize protocolos de rede personalizados. O navegador e outros apps fornecem meios de enviar dados para a Internet, e por isso esta permissão não é necessária para enviar os dados." - "alterar conectividade da rede" - "Permite que o app altere o estado de conectividade de rede." - "alterar conectividade vinculada" - "Permite que o app altere o estado de conectividade de rede conectada." - "ver conexões Wi-Fi" - "Permite que o app acesse informações sobre redes Wi-Fi, como a ativação do Wi-Fi e o nome dos dispositivos Wi-Fi conectados." - "conectar e desconectar do Wi-Fi" - "Permite que o app conecte e desconecte dos pontos de acesso Wi-Fi e faça alterações nas configurações do dispositivo para redes Wi-Fi." - "permitir recebimento de multicast Wi-Fi" - "Permite que o app receba pacotes enviados para todos os dispositivos em uma rede Wi-Fi usando endereços de difusão seletiva, e não apenas o tablet. Consome mais energia do que o modo não multicast." - "Permite que o app receba pacotes enviados para todos os dispositivos em uma rede Wi-Fi usando endereços multicast, não apenas sua TV. Usa mais energia do que o modo não multicast." - "Permite que o app receba pacotes enviados para todos os dispositivos em uma rede Wi-Fi usando endereços de difusão seletiva, e não apenas o telefone. Consome mais energia do que o modo não multicast." - "acessar configurações de Bluetooth" - "Permite que um app configure o tablet Bluetooth local, descubra dispositivos remotos e emparelhe com eles." - "Permite que o app configure a TV com Bluetooth local, descubra dispositivos remotos e faça pareamento com eles." - "Permite que um app configure o telefone Bluetooth local, descubra e emparelhe com dispositivos remotos." - "conectar e desconectar do WiMAX" - "Permite que o app determine se o WiMAX está ativado e acesse informações sobre as redes WiMAX conectadas." - "alterar estado do WiMAX" - "Permite que o app conecte e desconecte o tablet de redes WiMAX." - "Permite que o app se conecte à TV e desconecte-a de redes WiMAX." - "Permite que o app conecte e desconecte o telefone de redes WiMAX." - "parear com dispositivos Bluetooth" - "Permite que o app acesse a configuração do Bluetooth no tablet, além de fazer e aceitar conexões com dispositivos pareados." - "Permite que o app veja a configuração do Bluetooth na TV, faça e aceite conexões com dispositivos pareados." - "Permite que o app acesse a configuração do Bluetooth no telefone, além de fazer e aceitar conexões com dispositivos pareados." - "controlar a comunicação a curta distância" - "Permite que o app se comunique com leitores, cartões e etiqueta NFC (comunicação a curta distância)." - "desativar o bloqueio de tela" - "Permite que o app desative o bloqueio de teclas e qualquer segurança por senha associada. Por exemplo, o telefone desativa o bloqueio de telas ao receber uma chamada e o reativa quando a chamada é finalizada." - "Solicitar complexidade do bloqueio de tela" - "Permite que o app saiba o nível de complexidade do bloqueio de tela (alto, médio, baixo ou nenhum), que indica o intervalo possível de comprimento e o tipo de bloqueio de tela. O app também pode sugerir a atualização do bloqueio de tela até um certo nível, mas os usuários podem ignorar a sugestão. O bloqueio de tela não é armazenado em texto simples, então o app não tem acesso à senha exata." - "Usar hardware de biometria" - "Permite que o app use hardware de biometria para autenticação" - "gerenciar hardware de impressão digital" - "Permite que o app execute métodos para adicionar e excluir modelos de impressão digital para uso." - "usar hardware de impressão digital" - "Permite que o app use hardware de impressão digital para autenticação." - "modificar sua biblioteca de música" - "Permite que o app modifique sua biblioteca de música." - "modificar sua coleção de vídeos" - "Permite que o app modifique sua coleção de vídeos." - "modificar sua coleção de fotos" - "Permite que o app modifique sua coleção de fotos." - "ler locais na sua coleção de mídias" - "Permite que o app leia os locais na sua coleção de mídias." - "Confirme sua identidade" - "Hardware biométrico indisponível" - "Autenticação cancelada" - "Não reconhecido" - "Autenticação cancelada" - "Nenhum PIN, padrão ou senha configurado" - "Impressão digital parcial detectada. Tente novamente." - "Não foi possível processar a impressão digital. Tente novamente." - "O sensor de impressão digital está sujo. Limpe-o e tente novamente." - "O dedo foi retirado rápido demais. Tente novamente." - "O movimento do dedo está muito lento. Tente novamente." - - - "Impressão digital autenticada" - "Rosto autenticado" - "Rosto autenticado, pressione \"Confirmar\"" - "Hardware de impressão digital não disponível." - "Não foi possível armazenar a impressão digital. Remova uma impressão digital já existente." - "Tempo máximo para captura da impressão digital atingido. Tente novamente." - "Operação de impressão digital cancelada." - "Operação de impressão digital cancelada pelo usuário." - "Excesso de tentativas. Tente novamente mais tarde." - "Excesso de tentativas. Sensor de impressão digital desativado." - "Tente novamente." - "Nenhuma impressão digital registrada." - "Este dispositivo não tem um sensor de impressão digital." - "Dedo %d" - - - "Ícone de impressão digital" - "gerenciar hardware de desbloqueio facial" - "Permite que o app execute métodos para adicionar e excluir modelos de rosto para uso." - "usar hardware de desbloqueio facial" - "Permite que o app use o hardware de desbloqueio facial para autenticação" - "Desbloqueio facial" - "Registre seu rosto novamente" - "Para melhorar o reconhecimento, registre seu rosto novamente" - "Dados precisos não capturados. Tente novamente." - "Muito iluminado. Diminua a iluminação." - "Muito escuro. Use uma iluminação mais clara." - "Afaste o smartphone." - "Aproxime o smartphone." - "Mova o smartphone para cima." - "Mova o smartphone para baixo." - "Mova o smartphone para a esquerda." - "Mova o smartphone para a direita." - "Olhe mais diretamente para o dispositivo." - "Deixe o rosto diretamente na frente do smartphone." - "Muito movimento. Não mova o smartphone." - "Registre seu rosto novamente." - "O rosto não é mais reconhecido. Tente novamente." - "Muito parecido, mude de posição." - "Incline a cabeça um pouco menos." - "Incline a cabeça um pouco menos." - "Incline a cabeça um pouco menos." - "Remova tudo que esteja ocultando seu rosto." - "Limpe a parte superior da tela, inclusive a barra preta" - - - "Impossível verificar rosto. Hardware indisponível." - "Tente usar o desbloqueio facial novamente." - "Não é possível salvar dados faciais. Exclua dados antigos." - "Operação facial cancelada." - "Desbloqueio facial cancelado pelo usuário." - "Excesso de tentativas. Tente novamente mais tarde." - "Muitas tentativas. Desbloqueio facial desativado." - "Não é possível verificar o rosto. Tente novamente." - "O desbloqueio facial não foi configurado." - "O desbloqueio facial não é compatível com este dispositivo." - "Rosto %d" - - - "Ícone facial" - "ler as configurações de sincronização" - "Permite que o app leia as configurações de sincronização de uma conta. Por exemplo, pode determinar se o app People está sincronizado com uma conta." - "ativar e desativar sincronização" - "Permite que o app modifique as configurações de sincronização de uma conta. Por exemplo, pode ser usado para ativar a sincronização do app People com uma conta." - "ler estatísticas de sincronização" - "Permite que um app acesse as estatísticas de sincronização de uma conta, incluindo a história dos eventos de sincronização e a quantidade de dados sincronizados." - "ler conteúdo do armaz. comp." - "Permite que o app leia o conteúdo do armaz. compartilhado." - "alterar ou excluir conteúdo do armaz. compartilhado" - "Permite que o app grave o conteúdo do armaz. compartilhado." - "fazer/receber chamadas SIP" - "Permite que o app faça e receba chamadas SIP." - "registrar novas conexões SIM de telecomunicações" - "Permite que o app registre novas conexões SIM de telecomunicações." - "registrar novas conexões de telecomunicações" - "Permite que o app registre novas conexões de telecomunicações." - "gerenciar conexões de telecomunicações" - "Permite que o app gerencie conexões de telecomunicações." - "interagir com chamada na tela" - "Permite que o app controle quando e como o usuário visualiza a chamada na tela." - "interagir com os serviços de telefonia" - "Permite ao app interagir com os serviços de telefonia para fazer/receber chamadas." - "fornecer uma experiência de usuário em chamada" - "Permite ao app fornecer uma experiência de usuário em chamada." - "ler histórico de uso da rede" - "Permite que o app leia o histórico de uso da rede para redes e apps específicos." - "gerenciar a política de rede" - "Permite que o app gerencie políticas de rede e definia regras específicas para o app." - "modificar contagem de uso da rede" - "Permite que o app modifique como o uso da rede é contabilizado em relação aos apps. Não deve ser usado em apps normais." - "acessar notificações" - "Permite que o app recupere, examine e limpe notificações, inclusive as postadas por outros apps." - "sujeitar a um serviço ouvinte de notificações" - "Permite que o proprietário sujeite a interface de nível superior a um serviço ouvinte de notificações. Não deve ser necessário para apps comuns." - "associar a um serviço provedor de condições" - "Permite que o proprietário use a interface de nível superior de um serviço provedor de condições. Não deve ser necessário para apps comuns." - "conectar-se a um serviço de sonho" - "Permite que o sistema autorizado se conecte à interface de nível superior de um serviço de sonho. Não deve ser necessário para apps comuns." - "invocar o app de configuração fornecido pela operadora" - "Permite que o proprietário invoque o app de configuração fornecido pela operadora. Não deve ser necessário para apps comuns." - "detectar observações nas condições da rede" - "Permite que o app detecte observações nas condições da rede. Não deve ser necessário para apps comuns." - "alterar calibragem do dispositivo de entrada" - "Permite que o app modifique os parâmetros de calibragem da tela sensível ao toque. Não deve ser necessário para apps normais." - "acessar certificados de DRM" - "Permite que o app provisione e use certificados de DRM. Não deve ser necessário para apps comuns." - "receber status de transferência do Android Beam" - "Permite que este app receba informações sobre as atuais transferências do Android Beam" - "remover certificados de DRM" - "Permite que um app remova certificados de DRM. Não deve ser necessário para apps comuns." - "vincular a um serviço de mensagens de operadora" - "Permite que o proprietário use a interface de nível superior de um serviço de mensagens de operadora. Não deve ser necessária para apps comuns." - "vincular a serviços de operadora" - "Permite que o proprietário use serviços de operadora. Não deve ser necessário para apps comuns." - "acessar \"Não perturbe\"" - "Permitir que o app leia e grave a configuração \"Não perturbe\"." - "iniciar uso da permissão para visualização" - "Permite que o sistema inicie o uso de permissão para um app. Não deve ser necessário para apps comuns." - "Definir regras para senha" - "Controla o tamanho e os caracteres permitidos nos PINs e nas senhas do bloqueio de tela." - "Monitorar tentativas de desbloqueio de tela" - "Monitora quantas vezes a senha foi digitada incorretamente ao desbloquear a tela e bloqueia o telefone ou apaga todos os dados do telefone se a senha for digitada incorretamente muitas vezes." - "Monitora o número de senhas incorretas digitadas ao desbloquear a tela e bloqueia a TV ou apagar todos os dados dela se muitas senhas incorretas forem digitadas." - "Monitora quantas vezes a senha foi digitada incorretamente ao desbloquear a tela e bloqueia o telefone ou apaga todos os dados do telefone se a senha for digitada incorretamente muitas vezes." - "Monitora o número de senhas incorretas digitadas ao desbloquear a tela e bloqueia o tablet ou limpa todos os dados do usuário se muitas senhas incorretas forem digitadas." - "Monitora o número de senhas incorretas digitadas ao desbloquear a tela e bloqueia a TV ou limpa todos os dados do usuário se muitas senhas incorretas forem digitadas." - "Monitora o número de senhas incorretas digitadas ao desbloquear a tela e bloqueia o smartphone ou limpa todos os dados do usuário se muitas senhas incorretas forem digitadas." - "Alterar o bloqueio de tela" - "Altera o bloqueio de tela." - "Bloquear a tela" - "Controla como e quando a tela é bloqueada." - "Apagar todos os dados" - "Apague os dados do tablet sem aviso redefinindo a configuração original." - "Apaga dados da TV sem aviso, fazendo uma redefinição para configuração original." - "Apaga os dados sem aviso redefinindo o smartphone para a configuração original." - "Limpar dados do usuário" - "Limpa os dados do usuário neste tablet sem aviso prévio." - "Limpa os dados do usuário nesta TV sem aviso prévio." - "Limpa os dados do usuário neste smartphone sem aviso prévio." - "Definir o proxy global do dispositivo" - "Configura o proxy global do dispositivo para ser usado enquanto a política está ativada. Somente o proprietário do dispositivo pode definir o proxy global." - "Definir expiração da senha de bloqueio de tela" - "Altera a frequência com que o PIN, a senha ou o padrão do bloqueio de tela deve ser alterado." - "Definir criptografia de armazenamento" - "Exige que os dados armazenados do app sejam criptografados." - "Desativar câmeras" - "Impede o uso de todas as câmeras do dispositivo." - "Desativar recursos bloq. de tela" - "Impede o uso de alguns recursos do bloqueio de tela." - - "Casa" - "Celular" - "Trabalho" - "Fax do trabalho" - "Fax doméstico" - "Pager" - "Outros" - "Personalizado" - - - "Casa" - "Trabalho" - "Outros" - "Personalizado" - - - "Casa" - "Trabalho" - "Outros" - "Personalizado" - - - "Casa" - "Trabalho" - "Outros" - "Personalizado" - - - "Trabalho" - "Outros" - "Personalizado" - - - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Google Talk" - "ICQ" - "Jabber" - - "Personalizado" - "Casa" - "Celular" - "Comercial" - "Fax comercial" - "Fax residencial" - "Pager" - "Outros" - "Retorno de chamada" - "Carro" - "Empresa (principal)" - "ISDN" - "Principal" - "Outro fax" - "Rádio" - "Telex" - "TTY TDD" - "Celular comercial" - "Pager comercial" - "Assistente" - "MMS" - "Personalizado" - "Aniversário" - "Data comemorativa" - "Outros" - "Personalizado" - "Casa" - "Comercial" - "Outros" - "Celular" - "Personalizado" - "Casa" - "Comercial" - "Outros" - "Personalizado" - "Casa" - "Comercial" - "Outros" - "Personalizado" - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Hangouts" - "ICQ" - "Jabber" - "NetMeeting" - "Comercial" - "Outros" - "Personalizado" - "Personalizado" - "Assistente" - "Irmão" - "Filho(a)" - "Parceiro doméstico" - "Pai" - "Amigo(a)" - "Gerente" - "Mãe" - "Pai/Mãe" - "Parceiro" - "Indicado por" - "Parente" - "Irmã" - "Cônjuge" - "Personalizado" - "Página inicial" - "Comercial" - "Outros" - "Nenhum app encontrado para visualizar este contato." - "Insira o código PIN" - "Insira o PUK e o novo código PIN" - "Código PUK" - "Novo código PIN" - "Toque para digitar a senha" - "Digite a senha para desbloquear" - "Insira o PIN para desbloquear" - "Código PIN incorreto." - "Para desbloquear, pressione Menu e, em seguida, 0." - "Número de emergência" - "Sem serviço" - "Tela bloqueada." - "Pressione Menu para desbloquear ou fazer uma chamada de emergência." - "Pressione Menu para desbloquear." - "Desenhe o padrão para desbloquear" - "Emergência" - "Retornar à chamada" - "Correto!" - "Tente novamente" - "Tente novamente" - "Desbloqueio para todos os recursos e dados" - "O número máximo de tentativas de Desbloqueio por reconhecimento facial foi excedido" - "Sem chip" - "Não há um chip no tablet." - "Nenhum chip na TV." - "Não há um chip no telefone." - "Insera um chip." - "O chip não foi inserido ou não é possível lê-lo. Insira um chip." - "Chip inutilizável." - "O chip foi desativado permanentemente.\nEntre em contato com seu provedor de serviços sem fio para obter outro chip." - "Faixa anterior" - "Próxima faixa" - "Pausar" - "Reproduzir" - "Parar" - "Retroceder" - "Avançar" - "Só chamadas de emergência" - "Rede bloqueada" - "O chip está bloqueado pelo PUK." - "Consulte o Guia do usuário ou entre em contato com o Serviço de atendimento ao cliente." - "O chip está bloqueado." - "Desbloqueando o chip…" - "Você desenhou seu padrão de desbloqueio incorretamente %1$d vezes. \n\nTente novamente em %2$d segundos." - "Você digitou sua senha incorretamente %1$d vezes. \n\nTente novamente em %2$d segundos." - "Você digitou seu PIN incorretamente %1$d vezes.\n\nTente novamente em %2$d segundos." - "Você desenhou sua sequência de desbloqueio incorretamente %1$d vezes. Se fizer mais %2$d tentativas incorretas, será solicitado que você use o login do Google para desbloquear seu tablet.\n\n Tente novamente em %3$d segundos." - "Você desenhou seu padrão de desbloqueio incorretamente %1$d vezes. Depois de mais %2$d tentativas sem sucesso, será pedido que você desbloqueie sua TV usando seu login do Google.\n\n Tente novamente em %3$d segundos." - "Você desenhou sua sequência de desbloqueio incorretamente %1$d vezes. Se fizer mais %2$d tentativas incorretas, será solicitado que você use o login do Google para desbloquear.\n\n Tente novamente em %3$d segundos." - "Você tentou desbloquear incorretamente o tablet %1$d vezes. Após mais %2$d tentativas malsucedidas, o tablet será redefinido para o padrão de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear a TV de forma incorreta %1$d vezes. Depois de mais %2$d tentativas sem sucesso, a TV será redefinida para os padrões de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear incorretamente o telefone %1$d vezes. Após mais %2$d tentativas malsucedidas, o telefone será redefinido para o padrão de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear incorretamente o tablet %d vezes. O tablet será redefinido para o padrão de fábrica." - "Você tentou desbloquear a TV de forma incorreta %d vezes. A TV será redefinida agora para os padrões de fábrica." - "Você tentou desbloquear incorretamente o telefone %d vezes. O telefone será redefinido para o padrão de fábrica." - "Tente novamente em %d segundos." - "Esqueceu o padrão?" - "Desbloqueio de conta" - "Muitas tentativas de padrão" - "Para desbloquear, faça login com sua Conta do Google." - "Nome de usuário (e-mail)" - "Senha" - "Fazer login" - "Nome de usuário ou senha inválidos." - "Esqueceu seu nome de usuário ou senha?\nAcesse ""google.com.br/accounts/recovery""." - "Verificando…" - "Desbloquear" - "Som ativado" - "Som desativado" - "Padrão iniciado" - "Padrão apagado" - "Célula adicionada" - "Célula %1$s adicionada" - "Padrão concluído" - "Área do padrão." - "%1$s. Widget %2$d de %3$d." - "Adicionar widget" - "Vazio" - "Área de desbloqueio expandida." - "Área de desbloqueio recolhida." - "Widget de %1$s." - "Seletor de usuários" - "Status" - "Câmera" - "Controles de mídia" - "Reordenação de widgets iniciada." - "Reordenação de widgets concluída." - "Widget %1$s excluído." - "Expandir a área de desbloqueio." - "Desbloqueio com deslize." - "Desbloqueio com padrão." - "Desbloqueio facial." - "Desbloqueio com PIN." - "Desbloqueio com PIN do chip." - "Desbloqueio com PUK do chip." - "Desbloqueio com senha." - "Área do padrão." - "Área de deslize." - "?123" - "ABC" - "ALT" - "caractere" - "palavra" - "link" - "linha" - "Falha no teste de fábrica" - "A ação FACTORY_TEST é suportada apenas para pacotes instalados em /system/app." - "Nenhum pacote que forneça a ação FACTORY_TEST foi encontrado." - "Reiniciar" - "A página em \"%s\" diz:" - "JavaScript" - "Confirmar navegação" - "Sair desta página" - "Permanecer nesta página" - "%s\n\nVocê quer mesmo sair desta página?" - "Confirmar" - "Dica: toque duas vezes para aumentar e diminuir o zoom." - "Preench. aut." - "Conf. preench. aut." - "Preenchimento automático do %1$s" - " " - "$1$2$3" - ", " - "$1$2$3" - "Distrito" - "Código Postal" - "Estado" - "CEP" - "Condado" - "Ilha" - "Distrito" - "Departamento" - "Município" - "Paróquia" - "Área" - "Emirado" - "ler seu histórico e seus favoritos da web" - "Permite que o app leia o histórico de todos os URLs acessados no navegador e todos os favoritos do navegador. Observação: pode não ser aplicável a navegadores de terceiros e outros apps com capacidade de navegação na web." - "gravar seu histórico e seus favoritos da web" - "Permite que o app modifique o histórico ou os favoritos do navegador armazenados no tablet. Pode permitir que o app apague ou modifique os dados do navegador. Observação: pode não ser aplicável a navegadores de terceiros e outros apps com capacidade de navegação na web." - "Permite que o app modifique o histórico ou os favoritos do navegador armazenados na sua TV. Isso pode permitir que o app apague ou modifique os dados do navegador. Observação: essa autorização pode ser aplicada por navegadores de terceiros ou outros apps com recursos de navegação na Web." - "Permite que o app modifique o histórico ou os favoritos do navegador armazenados no telefone. Pode permitir que o app apague ou modifique os dados do navegador. Observação: pode não ser aplicável a navegadores de terceiros e outros apps com capacidade de navegação na web." - "definir um alarme" - "Permite que o app defina um alarme em um app despertador instalado. Alguns apps despertador podem não implementar este recurso." - "adicionar correio de voz" - "Permite que o app adicione mensagens a sua caixa de entrada do correio de voz." - "Modifique as permissões de geolocalização de seu navegador" - "Permite que o app modifique as permissões de geolocalização do navegador. Apps maliciosos podem usar isso para permitir o envio de informações locais para sites arbitrários." - "Quer que o navegador lembre desta senha?" - "Agora não" - "Lembrar" - "Nunca" - "Você não tem permissão para abrir esta página." - "Texto copiado para a área de transferência." - "Copiado" - "Mais" - "Menu+" - "Meta+" - "Ctrl+" - "Alt+" - "Shift+" - "Sym+" - "Function+" - "espaço" - "enter" - "excluir" - "Pesquisar" - "Pesquisar..." - "Pesquisar" - "Consulta de pesquisa" - "Limpar consulta" - "Enviar consulta" - "Pesquisa por voz" - "Ativar exploração pelo toque?" - "%1$s quer ativar a exploração pelo toque. Com ela, você pode ouvir ou ver descrições do que está sob seu dedo e interagir com o tablet através de gestos." - "%1$s quer ativar a exploração pelo toque. Com ela, você pode ouvir ou ver descrições do que está sob seu dedo e interagir com o telefone através de gestos." - "1 mês atrás" - "Antes de 1 mês atrás" - - Últimos %d dias - Últimos %d dias + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days - "Mês passado" - "Mais antigos" - "em %s" - "às %s" - "em %s" - "dia" - "dias" - "hora" - "horas" - "min." - "min." - "seg." - "segundos" - "semana" - "semanas" - "ano" - "anos" - "agora" - - %d min - %d min + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm - - %d h - %d h + + + %dh + %dh - - %d d - %d d + + + %dd + %dd - - %d a - %d a + + + %dy + %dy - - em %d min - em %d min + + + in %dm + in %dm - - em %d h - em %d h + + + in %dh + in %dh - - em %d d - em %d d + + + in %dd + in %dd - - em %d a - em %d a + + + in %dy + in %dy - - %d minutos atrás - %d minutos atrás + + + %d minute ago + %d minutes ago - - %d horas atrás - %d horas atrás + + + %d hour ago + %d hours ago - - %d dias atrás - %d dias atrás + + + %d day ago + %d days ago - - %d anos atrás - %d anos atrás + + + %d year ago + %d years ago - - em %d minutos - em %d minutos + + + in %d minute + in %d minutes - - em %d horas - em %d horas + + + in %d hour + in %d hours - - em %d dias - em %d dias + + + in %d day + in %d days - - em %d anos - em %d anos + + + in %d year + in %d years - "Problema com o vídeo" - "Este vídeo não é válido para transmissão neste dispositivo." - "Não é possível reproduzir este vídeo." - "OK" - "%1$s, %2$s" - "meio-dia" - "Meio-dia" - "meia-noite" - "Meia-noite" - "%1$02d:%2$02d" - "%1$d:%2$02d:%3$02d" - "Selecionar tudo" - "Recortar" - "Copiar" - "Falha ao copiar para a área de transferência" - "Colar" - "Colar como texto simples" - "Substituir..." - "Excluir" - "Copiar URL" - "Selecionar texto" - "Desfazer" - "Refazer" - "Preenchimento automático" - "Seleção de texto" - "Adicionar ao dicionário" - "Excluir" - "Método de entrada" - "Ações de texto" - "Mandar e-mail" - "Enviar e-mail para endereço selecionado" - "Ligar" - "Ligar para o número de telefone selecionado" - "Mapa" - "Localizar endereço selecionado" - "Abrir" - "Abrir URL selecionado" - "Mensagem" - "Enviar mensagem para número de telefone selecionado" - "Adicionar" - "Adicionar aos contatos" - "Ver" - "Ver horário selecionado na agenda" - "Agendar" - "Agendar evento no horário selecionado" - "Rastrear" - "Rastrear voo selecionado" - "Traduzir" - "Traduzir texto selecionado" - "Definir" - "Definir texto selecionado" - "Pouco espaço de armazenamento" - "Algumas funções do sistema podem não funcionar" - "Não há armazenamento suficiente para o sistema. Certifique-se de ter 250 MB de espaço livre e reinicie." - "%1$s está em execução" - "Toque para ver mais informações ou parar o app." - "OK" - "Cancelar" - "OK" - "Cancelar" - "Atenção" - "Carregando…" - "LIG" - "DESL" - "Complete a ação usando" - "Concluir a ação usando %1$s" - "Concluir ação" - "Abrir com" - "Abrir com %1$s" - "Abrir" - "Abrir links do domínio %1$s com" - "Abrir links com" - "Abrir links com %1$s" - "Abrir links do domínio %1$s com %2$s" - "Conceder acesso" - "Editar com" - "Editar com %1$s" - "Editar" - "Compartilhar" - "Compartilhar com %1$s" - "Compartilhar" - "Enviar usando" - "Enviar usando %1$s" - "Enviar" - "Selecione um app de início" - "Usar %1$s como Página inicial" - "Capturar imagem" - "Capturar imagem com" - "Capturar imagem com %1$s" - "Capturar imagem" - "Usar como padrão para esta ação." - "Usar outro app" - "Padrão claro em Configurações do sistema > Apps > Baixado." - "Escolher uma ação" - "Selecione um app para o dispositivo USB" - "Nenhum app pode realizar esta ação." - "%1$s parou" - "%1$s parou" - "%1$s apresenta falhas continuamente" - "%1$s apresenta falhas continuamente" - "Abrir app novamente" - "Enviar feedback" - "Fechar" - "Desativar até que dispositivo seja reiniciado" - "Aguarde" - "Fechar app" - - "%2$s não está respondendo" - "%1$s não está respondendo" - "%1$s não está respondendo" - "O processo %1$s não está respondendo" - "OK" - "Informar" - "Aguardar" - "A página não responde.\n\nQuer fechá-la?" - "App redirecionado" - "%1$s não está em execução." - "%1$s foi iniciado." - "Escala" - "Mostrar sempre" - "Reativar isso em Configurações do sistema > Apps > Transferidos." - "O app %1$s não é compatível com a configuração atual de tamanho de exibição e pode se comportar de forma inesperada." - "Mostrar sempre" - "O app %1$s foi criado para uma versão incompatível do sistema operacional Android e pode se comportar de forma inesperada. Uma versão atualizada do app pode estar disponível." - "Mostrar sempre" - "Verificar atualizações" - "O app %1$s, processo %2$s, violou a política StrictMode imposta automaticamente." - "O processo %1$s violou a política StrictMode imposta automaticamente." - "O smartphone está sendo atualizado…" - "O tablet está sendo atualizado…" - "O dispositivo está sendo atualizado…" - "O smartphone está iniciando…" - "O Android está iniciando..." - "O tablet está iniciando…" - "O dispositivo está iniciando…" - "Otimizando o armazenamento." - "Concluindo atualização do sistema…" - "%1$s está fazendo upgrade…" - "Otimizando app %1$d de %2$d." - "Preparando %1$s." - "Iniciando apps." - "Concluindo a inicialização." - "%1$s em execução" - "Toque para voltar ao jogo" - "Escolha o jogo" - "Para ter um melhor desempenho, apenas um desses jogos pode ser aberto por vez." - "Voltar para o app %1$s" - "Abrir %1$s" - "O app %1$s será fechado sem salvar" - "%1$s excedeu o limite de memória" - "O despejo de heap do %1$s está pronto" - "O despejo de heap foi coletado. Toque para compartilhar." - "Compartilhar despejo de heap?" - "O processo %1$s excedeu o limite de memória de %2$s. Um despejo de heap está disponível para compartilhamento com o desenvolvedor. Cuidado: esse despejo de heap pode conter informações que podem ser acessadas pelo app." - "O processo %1$s excedeu o limite de memória de %2$s. Um despejo de heap está disponível para compartilhamento. Tenha cuidado: esse despejo de heap pode conter informações pessoais confidenciais que o processo pode acessar, o que pode incluir os dados digitados." - "Um despejo de heap do processo de %1$s está disponível para compartilhamento. Tenha cuidado: esse despejo de heap pode conter informações pessoais confidenciais que o processo pode acessar, o que pode incluir os dados digitados." - "Escolha uma ação para o texto" - "Volume da campainha" - "Volume da mídia" - "Reproduzindo por meio de Bluetooth" - "Toque silencioso definido" - "Volume das chamadas" - "Volume das chamadas por Bluetooth" - "Volume do alarme" - "Volume da notificação" - "Volume" - "Volume de Bluetooth" - "Volume do toque" - "Volume das chamadas" - "Volume da mídia" - "Volume da notificação" - "Toque padrão" - "Padrão (%1$s)" - "Nenhum" - "Toques" - "Sons do alarme" - "Sons de notificação" - "Desconhecido" - "Não foi possível se conectar à rede %1$s" - "Toque para mudar as configurações de privacidade e tentar novamente" - "Mudar configuração de privacidade?" - "Para se conectar, %1$s precisa usar o endereço MAC do seu dispositivo, um identificador exclusivo. Atualmente, sua configuração de privacidade para esta rede usa um identificador aleatório. \n\nEssa mudança pode permitir que o local do dispositivo seja monitorado por dispositivos próximos." - "Mudar configuração" - "Configuração atualizada. Tente conectar novamente." - "Não foi possível mudar as configurações de privacidade" - "Rede não encontrada" - - Redes Wi-Fi disponíveis - Redes Wi-Fi disponíveis + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available - - Abrir redes Wi-Fi disponíveis - Abrir redes Wi-Fi disponíveis + + + Open Wi-Fi network available + Open Wi-Fi networks available - "Conectar a uma rede Wi‑Fi aberta" - "Conectar à rede Wi‑Fi da operadora" - "Conectando-se à rede Wi-Fi" - "Conectado a uma rede Wi‑Fi" - "Não foi possível conectar-se à rede Wi‑Fi" - "Toque para ver todas as redes" - "Conectar" - "Todas as redes" - "Permitir redes Wi-Fi sugeridas?" - "Redes sugeridas pelo app %s. O dispositivo pode se conectar automaticamente." - "Permitir" - "Não" - "O Wi‑Fi será ativado automaticamente" - "Quando você estiver perto de uma rede salva de alta qualidade" - "Não ativar novamente" - "Wi‑Fi ativado automaticamente" - "Você está perto de uma rede salva: %1$s" - "Fazer login na rede Wi-Fi" - "Fazer login na rede" - - - "%1$s não tem acesso à Internet" - "Toque para ver opções" - "Conectado" - "%1$s tem conectividade limitada" - "Toque para conectar mesmo assim" - "Mudanças nas suas configurações de ponto de acesso" - "Sua banda de ponto de acesso foi alterada." - "Este dispositivo não é compatível com sua preferência apenas por 5 GHz. Em vez disso, o dispositivo usará a banda de 5 GHz quando ela estiver disponível." - "Alternado para %1$s" - "O dispositivo usa %1$s quando %2$s não tem acesso à Internet. Esse serviço pode ser cobrado." - "Alternado de %1$s para %2$s" - - "dados móveis" - "Wi-Fi" - "Bluetooth" - "Ethernet" - "VPN" - - "um tipo de rede desconhecido" - "Não foi possível se conectar a redes Wi-Fi" - " tem uma conexão de baixa qualidade com a Internet." - "Permitir conexão?" - "O app %1$s deseja se conectar à rede Wi-Fi %2$s" - "Um app" - "Wi-Fi Direct" - "Iniciar o Wi-Fi Direct. Isso desativará o ponto de acesso/cliente Wi-Fi." - "Não foi possível iniciar o Wi-Fi Direct." - "Wi-Fi Direct ativado" - "Toque para ver as configurações" - "Aceitar" - "Recusar" - "Convite enviado" - "Convite para se conectar" - "De:" - "Para:" - "Digite o PIN obrigatório:" - "PIN:" - "O tablet desconectará temporariamente da rede Wi-Fi enquanto estiver conectado a %1$s" - "A TV desconectará o Wi-Fi temporariamente enquanto estiver conectada ao %1$s" - "O telefone desconectará temporariamente da rede Wi-Fi enquanto estiver conectado a %1$s" - "Inserir caractere" - "Enviando mensagens SMS" - "<b>%1$s</b> envia uma grande quantidade de mensagens SMS. Quer permitir que este app continue enviando mensagens?" - "Permitir" - "Negar" - "<b>%1$s</b> quer enviar uma mensagem para <b>%2$s</b>." - "Isso ""pode resultar em cobranças"" na conta de seu dispositivo móvel." - "Isso resultará em cobranças na conta de seu dispositivo móvel." - "Enviar" - "Cancelar" - "Lembrar minha escolha" - "P/ alterar: Configurações > Apps" - "Sempre permitir" - "Nunca permitir" - "Chip removido" - "A rede móvel ficará indisponível até que você reinicie com um chip válido inserido." - "Concluído" - "Chip adicionado" - "Reinicie o dispositivo para acessar a rede móvel." - "Reiniciar" - "Ativar serviço móvel" - "Faça o download do app da operadora para ativar seu novo chip" - "Faça o download do app %1$s para ativar seu novo chip" - "Fazer download do app" - "Novo chip inserido" - "Toque para configurar" - "Definir hora" - "Definir data" - "Definir" - "Concluído" - "NOVO: " - "Fornecido por %1$s." - "Nenhuma permissão necessária" - "isso pode lhe custar dinheiro" - "OK" - "Carregando este dispositivo via USB" - "Carregando dispositivo conectado via USB" - "Transferência de arquivo via USB ativada" - "PTP via USB ativado" - "Tethering USB ativado" - "MIDI via USB ativado" - "Acessório USB conectado" - "Toque para ver mais opções." - "Carregando dispositivo conectado. Toque para ver mais opções." - "Acessório de áudio analógico detectado" - "O dispositivo anexo não é compatível com esse smartphone. Toque para saber mais." - "Depuração USB conectada" - "Toque para desativar a depuração USB." - "Selecione para desativar a depuração USB." - "Modo Arcabouço de testes ativado" - "Realize uma redefinição para configuração original para desativar o modo Arcabouço de testes." - "Líquido ou detrito na porta USB" - "A porta USB é desativada automaticamente. Toque para saber mais." - "É seguro usar a porta USB" - "Não há mais líquidos ou detritos detectados no smartphone." - "Gerando relatório de bug..." - "Compartilhar relatório de bug?" - "Compartilhando relatório de bug…" - "Seu administrador solicitou um relatório de bug para ajudar a resolver problemas deste dispositivo. É possível que apps e dados sejam compartilhados." - "COMPARTILHAR" - "RECUSAR" - "Selecione o método de entrada" - "Mantém o teclado virtual na tela enquanto o teclado físico está ativo" - "Mostrar teclado virtual" - "Configurar teclado físico" - "Toque para selecionar o idioma e o layout" - " ABCDEFGHIJKLMNOPQRSTUVWXYZ" - " 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ" - "Sobrepor a outros apps" - "%s exibido sobre outros apps" - "%s exibido sobre outros apps." - "Se você não quer que o %s use este recurso, toque para abrir as configurações e desativá-lo." - "Desativar" - "Verificando %s…" - "Analisando conteúdo atual" - "Novo %s" - "Toque para configurar" - "Para transferir fotos e mídia" - "Ocorreu um problema com o %s" - "Toque para corrigir" - "O %s está corrompido. Selecione para corrigir." - "%s não compatível" - "Este dispositivo não é compatível com esse %s. Toque para configurar em um formato compatível." - "Este dispositivo não é compatível com este %s. Selecione para configurar um formato compatível." - "%s foi removido inesperadamente" - "Ejete a mídia antes da remoção para evitar a perda de conteúdo" - "%s removido" - "É possível que algumas funcionalidades não funcionem corretamente. Insira o novo armazenamento." - "Ejetando %s…" - "Não remova" - "Configurar" - "Ejetar" - "Explorar" - "Alterar saída" - "%s ausente" - "Insira o dispositivo novamente" - "Movendo %s" - "Movendo dados" - "Transf. de conteúdo concluída" - "Conteúdo movido para %s" - "Falha ao mover o conteúdo" - "Tente mover o conteúdo novamente" - "Removida" - "Ejetada" - "Verificando..." - "Pronto" - "Somente leitura" - "Removido de forma não segura" - "Corrompida" - "Incompatível" - "Ejetando…" - "Formatando..." - "Não inserida" - "Nenhum atividade correspondente foi encontrada." - "rotear saída de mídia" - "Permite que um app faça o roteamento de saída de mídia para outros dispositivos externos." - "ler sessões de instalação" - "Permite que um app leia sessões de instalação. Isso permite que ele veja detalhes sobre as instalações de pacote ativas." - "solicitar pacotes de instalação" - "Permite que um app solicite a instalação de pacotes." - "solicitar exclusão de pacotes" - "Permite que um app solicite a exclusão de pacotes." - "solicitar que as otimizações de bateria sejam ignoradas" - "Permite que um app peça permissão para ignorar as otimizações de bateria para esse app." - "Toque duas vezes para ter controle do zoom" - "Não foi possível adicionar widget." - "Ir" - "Pesquisar" - "Enviar" - "Avançar" - "Concluído" - "Anter." - "Executar" - "Discar número\nusando %s" - "Criar contato \nusando %s" - "O app a seguir ou outros apps solicitam permissão para acessar sua conta, agora e no futuro." - "Quer permitir essa solicitação?" - "Solicitação de acesso" - "Permitir" - "Negar" - "Permissão solicitada" - "Permissão solicitada\npara a conta %s." - "Este app está sendo usado fora de seu perfil de trabalho" - "Você está usando este app em seu perfil de trabalho" - "Método de entrada" - "Sincronizar" - "Acessibilidade" - "Plano de fundo" - "Alterar plano de fundo" - "Ouvinte de notificações" - "Ouvinte de RV" - "Provedor de condições" - "Serviço de classificação de notificação" - "VPN ativada" - "A VPN está ativada por %s" - "Toque para gerenciar a rede." - "Conectado a %s. Toque para gerenciar a rede." - "VPN sempre ativa conectando..." - "VPN sempre ativa conectada" - "Desconectado da VPN sempre ativa" - "Não foi possível se conectar à VPN sempre ativa" - "Alterar configurações de VPN ou rede" - "Escolher arquivo" - "Nenhum arquivo escolhido" - "Redefinir" - "Enviar" - "O app para carro está sendo usado" - "Toque para sair do app para carro." - "Ponto de acesso ou tethering ativo" - "Toque para configurar." - "Tethering desativado" - "Fale com seu administrador para saber detalhes" - "Voltar" - "Avançar" - "Pular" - "Não encontrado" - "Localizar na página" - - %d de %d - %d de %d + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d - "Concluído" - "Limpando armazenamento compartilhado…" - "Compartilhar" - "Localizar" - "Pesquisa Google na Web" - "Localizar próximo" - "Localizar anterior" - "Solicitação de local de %s" - "Pedido de localização" - "Solicitado por %1$s (%2$s)" - "Sim" - "Não" - "Limite de exclusão excedido" - "Há %1$d itens excluídos para %2$s, conta %3$s. O que você quer fazer?" - "Excluir os itens" - "Desfazer as exclusões" - "Não fazer nada por enquanto" - "Escolha uma conta" - "Adicionar uma conta" - "Adicionar conta" - "Aumentar" - "Diminuir" - "%s toque e mantenha pressionado." - "Deslize para cima para aumentar e para baixo para diminuir." - "Aumentar minuto" - "Diminuir minuto" - "Aumentar hora" - "Diminuir hora" - "Configurar valor PM" - "Configurar valor AM" - "Aumentar mês" - "Diminuir mês" - "Aumentar dia" - "Diminuir dia" - "Aumentar ano" - "Diminuir ano" - "Mês passado" - "Próximo mês" - "Alt" - "Cancelar" - "Excluir" - "Concluído" - "Alteração do modo" - "Shift" - "Enter" - "Selecione um app" - "Não foi possível iniciar o %s" - "Compartilhar com" - "Compartilhar com %s" - "Recurso deslizante. Toque e segure." - "Deslize para desbloquear." - "Navegar na página inicial" - "Navegar para cima" - "Mais opções" - "%1$s, %2$s" - "%1$s, %2$s, %3$s" - "Divisão interna de armazenamento" - "Cartão SD" - "Cartão SD %s" - "Drive USB" - "Drive USB %s" - "Armazenamento USB" - "Editar" - "Alerta de uso de dados" - "Você usou %s de dados" - "Limite de dados móveis atingido" - "Limite de dados Wi-Fi atingido" - "Uso de dados pausado pelo restante do seu ciclo" - "Acima do limite de dados móveis" - "Acima do limite de dados Wi-Fi" - "Você ultrapassou %s do limite definido" - "Dados de segundo plano restritos" - "Toque para remover a restrição." - "Alto uso de dados móveis" - "Seus apps usaram mais dados do que o normal" - "O app %s usou mais dados do que o normal" - "Certificado de segurança" - "Este certificado é válido." - "Emitido para:" - "Nome comum:" - "Organização:" - "Unidade organizacional:" - "Emitido por:" - "Validade:" - "Emitido em:" - "Expira em:" - "Número de série:" - "Impressões digitais" - "Impressão digital SHA-256" - "Impressão digital SHA-1" - "Ver tudo" - "Selecione a atividade" - "Compartilhar com" - "Enviando..." - "Abrir Navegador?" - "Aceitar chamada?" - "Sempre" - "Definir como \"Sempre abrir\"" - "Só uma vez" - "Configurações" - "%1$s não aceita perfis de trabalho" - "Tablet" - "TV" - "Telefone" - "Alto-falantes na base" - "HDMI" - "Fones de ouvido" - "USB" - "Sistema" - "Áudio Bluetooth" - "Display sem fio" - "Transmitir" - "Conectar ao dispositivo" - "Transmitir tela para dispositivo" - "Procurando dispositivos…" - "Configurações" - "Desconectar" - "Verificando..." - "Conectando..." - "Disponível" - "Não disponível" - "Em uso" - "Tela integrada" - "Tela HDMI" - "Sobreposição nº %1$d" - "%1$s: %2$dx%3$d, %4$d dpi" - ", seguro" - "Esqueci o padrão" - "Padrão incorreto" - "Senha incorreta" - "PIN incorreto" - - Tente novamente em %d segundo. - Tente novamente em %d segundos. + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. - "Desenhe seu padrão" - "Digite o PIN do chip" - "Digite o PIN" - "Digite a senha" - "O chip foi desativado. Insira o código PUK para continuar. Entre em contato com a operadora para obter mais detalhes." - "Digite o código PIN desejado" - "Confirme o código PIN desejado" - "Desbloqueando o chip…" - "Código PIN incorreto." - "Digite um PIN com quatro a oito números." - "O código PUK deve ter oito números." - "Introduza novamente o código PUK correto. Muitas tentativas malsucedidas desativarão permanentemente o chip." - "Os códigos PIN não coincidem" - "Muitas tentativas de padrão" - "Para desbloquear, faça login usando sua Conta do Google." - "Nome de usuário (e-mail)" - "Senha" - "Fazer login" - "Nome de usuário ou senha inválidos." - "Esqueceu seu nome de usuário ou senha?\nAcesse ""google.com.br/accounts/recovery""." - "Verificando a conta..." - "Você digitou seu PIN incorretamente %1$d vezes. \n\nTente novamente em %2$d segundos." - "Você digitou sua senha incorretamente %1$d vezes. \n\nTente novamente em %2$d segundos." - "Você desenhou sua sequência de desbloqueio incorretamente %1$d vezes. \n\nTente novamente em %2$d segundos." - "Você tentou desbloquear incorretamente o tablet %1$d vezes. Após mais %2$d tentativas malsucedidas, o tablet será redefinido para o padrão de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear a TV de forma incorreta %1$d vezes. Depois de mais %2$d tentativas sem sucesso, a TV será redefinida para os padrões de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear incorretamente o telefone %1$d vezes. Após mais %2$d tentativas malsucedidas, o telefone será redefinido para o padrão de fábrica e todos os dados do usuário serão perdidos." - "Você tentou desbloquear incorretamente o tablet %d vezes. O tablet será redefinido para o padrão de fábrica." - "Você tentou desbloquear a TV de forma incorreta %d vezes. A TV será redefinida agora para os padrões de fábrica." - "Você tentou desbloquear incorretamente o telefone %d vezes. O telefone será redefinido para o padrão de fábrica." - "Você desenhou sua sequência de desbloqueio incorretamente %1$d vezes. Se fizer mais %2$d tentativas incorretas, será solicitado que você use o login do Google para desbloquear seu tablet.\n\n Tente novamente em %3$d segundos." - "Você desenhou seu padrão de desbloqueio incorretamente %1$d vezes. Depois de mais %2$d tentativas sem sucesso, será pedido que você desbloqueie sua TV usando uma conta de e-mail.\n\n Tente novamente em %3$d segundos." - "Você desenhou sua sequência de desbloqueio incorretamente %1$d vezes. Se fizer mais %2$d tentativas incorretas, será solicitado que você use o login do Google para desbloquear.\n\n Tente novamente em %3$d segundos." - " — " - "Remover" - "Aumentar o volume acima do nível recomendado?\n\nOuvir em volume alto por longos períodos pode danificar sua audição." - "Usar atalho de Acessibilidade?" - "Quando o atalho está ativado, pressione os dois botões de volume por três segundos para iniciar um recurso de acessibilidade.\n\n Recurso de acessibilidade atual:\n %1$s\n\n É possível alterar o recurso em Configurações > Acessibilidade." - "Desativar atalho" - "Usar atalho" - "Inversão de cores" - "Correção de cor" - "O atalho de acessibilidade ativou o %1$s" - "O atalho de acessibilidade desativou o %1$s" - "Toque nos dois botões de volume e os mantenha pressionados por três segundo para usar o %1$s" - "Escolha um serviço a ser usado quando você toca no botão Acessibilidade:" - "Escolha um serviço para usar com o gesto de acessibilidade (deslizar de baixo para cima na tela com dois dedos):" - "Escolha um serviço para usar com o gesto de acessibilidade (deslizar de baixo para cima na tela com três dedos):" - "Para alternar entre serviços, toque no botão de acessibilidade e mantenha-o pressionado." - "Para alternar entre serviços, deslize de baixo para cima na tela com dois dedos sem soltar." - "Para alternar entre serviços, deslize de baixo para cima na tela com três dedos sem soltar." - "Ampliação" - "Usuário atual %1$s." - "Alternando para %1$s…" - "Desconectando %1$s…" - "Proprietário" - "Erro" - "Esta alteração não é permitida pelo administrador" - "Nenhum app encontrado para executar a ação" - "Revogar" - "ISO A0" - "ISO A1" - "ISO A2" - "ISO A3" - "ISO A4" - "ISO A5" - "ISO A6" - "ISO A7" - "ISO A8" - "ISO A9" - "ISO A10" - "ISO B0" - "ISO B1" - "ISO B2" - "ISO B3" - "ISO B4" - "ISO B5" - "ISO B6" - "ISO B7" - "ISO B8" - "ISO B9" - "ISO B10" - "ISO C0" - "ISO C1" - "ISO C2" - "ISO C3" - "ISO C4" - "ISO C5" - "ISO C6" - "ISO C7" - "ISO C8" - "ISO C9" - "ISO C10" - "Carta" - "Government Letter" - "Ofício" - "Junior Legal" - "Ledger" - "Tabloide" - "Index Card 3x5" - "Index Card 4x6" - "Index Card 5x8" - "Monarch" - "Quarto" - "Foolscap" - "ROC 8K" - "ROC 16K" - "PRC 1" - "PRC 2" - "PRC 3" - "PRC 4" - "PRC 5" - "PRC 6" - "PRC 7" - "PRC 8" - "PRC 9" - "PRC 10" - "PRC 16K" - "Pa Kai" - "Dai Pa Kai" - "Jurro Ku Kai" - "JIS B10" - "JIS B9" - "JIS B8" - "JIS B7" - "JIS B6" - "JIS B5" - "JIS B4" - "JIS B3" - "JIS B2" - "JIS B1" - "JIS B0" - "JIS Exec" - "Chou4" - "Chou3" - "Chou2" - "Hagaki" - "Oufuku" - "Kahu" - "Kaku2" - "You4" - "Retrato desconhecido" - "Paisagem desconhecido" - "Cancelado" - "Erro ao gravar o conteúdo" - "desconhecido" - "Serviço de impressão não ativado" - "Serviço %s instalado" - "Toque para ativar" - "Inserir PIN do administrador" - "Insira o PIN" - "Incorreto" - "PIN atual" - "Novo PIN" - "Confirme o novo PIN" - "Crie um PIN para modificar restrições" - "Os PINs não coincidem. Tente novamente." - "O PIN é curto demais. Deve ter pelo menos 4 dígitos." - - Tente novamente em %d segundos - Tente novamente em %d segundos + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds - "Tente novamente mais tarde" - "Visualização em tela cheia" - "Para sair, deslize de cima para baixo." - "Entendi" - "Concluído" - "Controle deslizante circular das horas" - "Controle deslizante circular dos minutos" - "Selecione as horas" - "Selecione os minutos" - "Selecione o mês e o dia" - "Selecione o ano" - "%1$s excluído" - "Trabalho: %1$s" - "Segundo %1$s de trabalho" - "Terceiro %1$s de trabalho" - "Pedir PIN antes de liberar" - "Pedir padrão de desbloqueio antes de liberar" - "Pedir senha antes de liberar" - "Instalado pelo seu administrador" - "Atualizado pelo seu administrador" - "Excluído pelo seu administrador" - "OK" - "Para aumentar a duração da bateria, a \"Economia de bateria: \n ativa o tema escuro;\n·desativa ou restringe atividades em segundo plano, alguns efeitos visuais e outros recursos, como o \"Ok Google\".\n\n""Saiba mais" - "Para aumentar a duração da bateria, a \"Economia de bateria\": \n ativa o tema escuro;\n desativa ou restringe atividades em segundo plano, alguns efeitos visuais e outros recursos, como o \"Ok Google\"." - "Para ajudar a reduzir o uso de dados, a Economia de dados impede que alguns apps enviem ou recebam dados em segundo plano. Um app que você esteja usando no momento pode acessar dados, mas com menos frequência. Isso pode fazer com que imagens não sejam exibidas até que você toque nelas." - "Ativar Economia de dados?" - "Ativar" - - Por %1$d minutos (até às %2$s) - Por %1$d minutos (até às %2$s) + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) - - Por %1$d min (até %2$s) - Por %1$d min (até %2$s) + + + For 1 min (until %2$s) + For %1$d min (until %2$s) - - Por %1$d hora (até %2$s) - Por %1$d horas (até %2$s) + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) - - Por %1$d horas (até %2$s) - Por %1$d horas (até %2$s) + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) - - Por %d minutos - Por %d minutos + + + For one minute + For %d minutes - - Por %d min - Por %d min + + + For 1 min + For %d min - - Por %d hora - Por %d horas + + + For 1 hour + For %d hours - - Por %d horas - Por %d horas + + + For 1 hr + For %d hr - "Até às %1$s" - "Até %1$s (próximo alarme)" - "Até você desativar" - "Até que você desative \"Não perturbe\"" - "%1$s / %2$s" - "Recolher" - "Não perturbe" - "Tempo de inatividade" - "Durante a semana à noite" - "Fim de semana" - "Evento" - "Dormindo" - "%1$s está silenciando alguns sons" - "Há um problema interno com seu dispositivo. Ele pode ficar instável até que você faça a redefinição para configuração original." - "Há um problema interno com seu dispositivo. Entre em contato com o fabricante para saber mais detalhes." - "Solicitação USSD alterada para chamada normal" - "Solicitação USSD alterada para solicitação SS" - "Alterada para nova solicitação USSD" - "Solicitação USSD alterada para videochamada" - "Solicitação SS alterada para chamada normal" - "Solicitação SS alterada para videochamada" - "Solicitação SS alterada para solicitação USSD" - "Alterada para uma nova solicitação SS" - "Perfil de trabalho" - "Alertado" - "Expandir" - "Recolher" - "alternar expansão" - "Porta USB periférica Android" - "Android" - "Porta USB periférica" - "Mais opções" - "Fechar menu flutuante" - "Maximizar" - "Fechar" - "%1$s: %2$s" - - %1$d selecionado - %1$d selecionados + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected - "Sem classificação" - "Você definiu a importância dessas notificações." - "Isso é importante por causa das pessoas envolvidas." - "Permitir que o app %1$s crie um novo usuário com %2$s (já existe um usuário com essa conta)?" - "Permitir que o app %1$s crie um novo usuário com %2$s?" - "Adicionar um idioma" - "Preferência de região" - "Digitar nome do idioma" - "Sugeridos" - "Todos os idiomas" - "Todas as regiões" - "Pesquisa" - "O app não está disponível" - "O app %1$s não está disponível no momento. Isso é gerenciado pelo app %2$s." - "Saiba mais" - "Ativar o perfil de trabalho?" - "Seus apps, notificações, dados e outros recursos do perfil de trabalho serão ativados" - "Ativar" - "Este app foi criado para uma versão mais antiga do Android e pode não funcionar corretamente. Tente verificar se há atualizações ou entre em contato com o desenvolvedor." - "Procurar atualizações" - "Você tem mensagens novas" - "Abra o app de SMS para ver" - "Algumas funções são limitadas" - "Perfil de trabalho bloqueado" - "Toque p/ desbl. perfil de trab." - "Conectado a %1$s" - "Toque para ver os arquivos" - "Fixar guia" - "Liberar guia" - "Informações do app" - "−%1$s" - "Iniciando demonstração…" - "Redefinindo dispositivo…" - "Widget %1$s desativado" - "Teleconferência" - "Dica" - "Jogos" - "Música e áudio" - "Filmes e vídeos" - "Fotos e imagens" - "Social e comunicação" - "Notícias e revistas" - "Mapas e navegação" - "Produtividade" - "Armazenamento do dispositivo" - "Depuração USB" - "hora" - "minuto" - "Definir horário" - "Informe um horário válido" - "Digite o horário" - "Alterne para o modo de entrada de texto para informar o horário." - "Alterne para o modo de relógio para informar o horário." - "Opções de preenchimento automático" - "Salvar no Preenchimento automático" - "Não é possível preencher os conteúdos automaticamente" - "Sem sugestões de preenchimento automático" - - %1$s sugestão de preenchimento automático - %1$s sugestões de preenchimento automático + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions - "Salvar em ""%1$s""?" - "Salvar %1$s em ""%2$s""?" - "Salvar %1$s e %2$s em ""%3$s""?" - "Salvar %1$s, %2$s e %3$s em ""%4$s""?" - "Atualizar em ""%1$s""?" - "Atualizar %1$s em ""%2$s""?" - "Atualizar %1$s e %2$s em ""%3$s""?" - "Atualizar estes itens em ""%4$s"": %1$s, %2$s e %3$s?" - "Salvar" - "Não, obrigado" - "Atualizar" - "senha" - "endereço" - "cartão de crédito" - "nome de usuário" - "endereço de e-mail" - "Fique calmo e procure um abrigo por perto." - "Saia imediatamente de regiões costeiras e áreas ribeirinhas e vá para um lugar mais seguro, como terrenos elevados." - "Fique calmo e procure um abrigo por perto." - "Teste de mensagens de emergência" - "Responder" - - "Chip não autorizado para voz" - "Chip não aprovisionado para voz" - "Chip não autorizado para voz" - "Smartphone não autorizado para voz" - "SIM %d não permitido" - "SIM %d não aprovisionado" - "SIM %d não permitido" - "SIM %d não permitido" - "Janela pop-up" - "Mais %1$d" - "A versão do app passou por downgrade ou não é compatível com esse atalho" - "Não foi possível restaurar o atalho porque o app não é compatível com backup e restauração" - "Não foi possível restaurar o atalho devido à incompatibilidade de assinatura de apps" - "Não foi possível restaurar o atalho" - "O atalho está desativado" - "DESINSTALAR" - "ABRIR MESMO ASSIM" - "App nocivo detectado" - "%1$s quer mostrar partes do app %2$s" - "Editar" - "Chamadas e notificações farão o dispositivo vibrar" - "Chamadas e notificações ficarão silenciadas" - "Alterações do sistema" - "Não perturbe" - "Novo: o modo Não perturbe está ocultando as notificações" - "Toque para saber mais e fazer alterações." - "O modo \"Não perturbe\" foi alterado" - "Toque para verificar o que está bloqueado." - "Sistema" - "Configurações" - "Câmera" - "Microfone" - "exibindo sobre outros apps na sua tela" - "Notificação de informação do modo rotina" - "A bateria pode acabar antes da recarga normal" - "A Economia de bateria foi ativada para aumentar a duração da carga" - "Economia de bateria" - "A Economia de bateria só será reativada quando a bateria estiver acabando novamente" - "A bateria foi carregada até o nível suficiente. A Economia de bateria só será reativada quando a bateria estiver acabando novamente." - "Smartphone %1$s carregado" - "Tablet %1$s carregado" - "Dispositivo %1$s carregado" - "Economia de bateria desativada. Os recursos não estão mais restritos." - "Economia de bateria desativada. Os recursos não estão mais restritos." - "Pasta" - "Aplicativo Android" - "Arquivo" - "Arquivo em %1$s" - "Áudio" - "Áudio em %1$s" - "Vídeo" - "Vídeo em %1$s" - "Imagem" - "Imagem %1$s" - "Arquivo" - "Arquivo %1$s" - "Documento" - "Documento em %1$s" - "Planilha" - "Planilha em %1$s" - "Apresentação" - "Apresentação em %1$s" - "Carregando" - - %s + %d arquivo - %s + %d arquivos + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files - "Compartilhamento direto indisponível" - "Lista de apps" + + Direct share not available + + Apps list diff --git a/core/res/res/values-pt-rPT/du_strings.xml b/core/res/res/values-pt-rPT/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-pt-rPT/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-pt-rPT/strings.xml b/core/res/res/values-pt-rPT/strings.xml index 411af630dff2f..cdb36a800b3c4 100644 --- a/core/res/res/values-pt-rPT/strings.xml +++ b/core/res/res/values-pt-rPT/strings.xml @@ -1,5 +1,5 @@ - - - - - "B" - "kB" - "MB" - "GB" - "TB" - "PB" - "%1$s %2$s" - "<Sem nome>" - "(Nenhum número de telefone)" - "Desconhecido" - "Correio de voz" - "MSISDN1" - "Problema de ligação ou código MMI inválido." - "A operação está restringida a números fixos autorizados." - "Não é possível alterar as definições do encaminhamento de chamadas no telemóvel quando está em roaming." - "O serviço foi ativado." - "O serviço foi ativado para:" - "O serviço foi desativado." - "O registo foi bem sucedido." - "A eliminação foi bem sucedida." - "Palavra-passe incorrecta." - "MMI concluído." - "O PIN antigo que introduziu não está correto." - "O PUK que introduziu não está correto." - "Os PINs que escreveu não correspondem." - "Introduza um PIN entre 4 e 8 números." - "Introduza um PUK que tenha 8 ou mais algarismos." - "O seu cartão SIM está bloqueado com PUK. Introduza o código PUK para desbloqueá-lo." - "Introduza o PUK2 para desbloquear o cartão SIM." - "Ação sem êxito. Ative o bloqueio do SIM/RUIM." - - Tem mais %d tentativas antes de o cartão SIM ficar bloqueado. - Tem mais %d tentativa antes de o cartão SIM ficar bloqueado. +--> + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. - "IMEI" - "MEID" - "ID do Autor da Chamada" - "ID do autor da chamada efetuada" - "ID de linha ligada" - "Restrição de ID de linha ligada" - "Encaminhamento de chamadas" - "Chamada em espera" - "Barramento de chamadas" - "Alteração de palavra-passe" - "Alteração de PIN" - "Apresentação do número chamador" - "Número chamador restringido" - "Chamada de conferência entre três interlocutores" - "Rejeição de chamadas inoportunas indesejadas" - "Entrega do número chamador" - "Não incomodar" - "ID do autor da chamada é predefinido como restrito. Chamada seguinte: Restrita" - "ID do autor da chamada é predefinido como restrito. Chamada seguinte: Não restrita" - "ID do autor da chamada é predefinido como não restrito. Chamada seguinte: Restrita" - "ID do autor da chamada é predefinido com não restrito. Chamada seguinte: Não restrita" - "Serviço não fornecido." - "Não pode alterar a definição da identificação de chamadas." - "Sem serviço de dados móveis" - "Chamadas de emergência indisponíveis" - "Sem serviço de voz" - "Sem serviço de voz ou chamadas de emergência" - "Serviço temporariamente desativado pelo operador." - "Serviço temporariamente desativado pelo operador no SIM %d." - "Não é possível estabelecer ligação à rede móvel." - "Experimente alterar a rede preferida. Toque para alterar." - "Chamadas de emergência indisponíveis" - "Não é possível efetuar chamadas de emergência através de Wi‑Fi." - "Alertas" - "Reencaminhamento de chamadas" - "Modo de chamada de retorno de emergência" - "Estado dos dados móveis" - "Mensagens SMS" - "Mensagens de correio de voz" - "Chamadas Wi-Fi" - "Estado do SIM" - "Estado do SIM de elevada prioridade" - "O par solicitou o modo COMPLETO de teletipo" - "O par solicitou o modo HCO de teletipo" - "O par solicitou o modo VCO de teletipo" - "O par solicitou o modo DESATIVADO de teletipo" - "Voz" - "Dados" - "FAX" - "SMS" - "Assíncronos" - "Sincronização" - "Pacote" - "PAD" - "Indicador de Roaming ativado" - "Indicador de Roaming desativado" - "Indicador de Roaming intermitente" - "Fora da Vizinhança" - "No Exterior" - "Roaming - Sistema Preferencial" - "Roaming - Sistema Disponível" - "Roaming - Parceiro Alliance" - "Roaming - Parceiro Premium" - "Roaming - Funcionalidade de Serviço Total" - "Roaming - Funcionalidade de Serviço Parcial" - "Faixa de Roaming activada" - "Faixa de Roaming desativada" - "A procurar Serviço" - "Não foi possível configurar a funcionalidade Chamadas Wi-Fi." - - "Para fazer chamadas e enviar mensagens por Wi-Fi, comece por pedir ao seu operador para configurar este serviço. De seguida, nas Definições, ative novamente as Chamadas Wi-Fi. (Código de erro: %1$s)" - - - "Ocorreu um problema ao registar a funcionalidade Chamadas Wi-Fi junto do seu operador: %1$s" - - - - "Chamadas Wi-Fi %s" - "Chamadas Wi-Fi de %s" - "Chamada WLAN" - "Chamada WLAN %s" - "Wi-Fi %s" - "Chamadas Wi-Fi | %s" - "VoWifi %s" - "Chamadas Wi-Fi" - "Wi-Fi" - "Chamadas Wi-Fi" - "VoWifi" - "Desativado" - "Chamada por Wi-Fi" - "Chamada por rede móvel" - "Apenas Wi-Fi" - "{0}: Não reencaminhado" - "{0}: {1}" - "{0}: {1} após {2} segundos" - "{0}: Não reencaminhado" - "{0}: Não reencaminhado" - "Código de funcionalidade completo." - "Problema de ligação ou código de funcionalidade inválido." - "OK" - "Ocorreu um erro de rede." - "Não foi possível localizar URL." - "O esquema de autenticação do site não é suportado." - "Não foi possível autenticar." - "A autenticação através do servidor proxy falhou." - "Não foi possível ligar ao servidor." - "Não foi possível comunicar com o servidor. Tente novamente mais tarde." - "Esgotou o tempo limite da ligação ao servidor." - "A página contém demasiados redireccionamentos do servidor." - "O protocolo não é suportado." - "Não foi possível estabelecer uma ligação segura." - "Não foi possível abrir a página porque o URL é inválido." - "Não foi possível aceder ao ficheiro." - "Não foi possível localizar o ficheiro solicitado." - "Existem demasiados pedidos em processamento. Tente novamente mais tarde." - "Erro de início de sessão de %1$s" - "Sincronização" - "Não é possível sincronizar" - "Tentativa de eliminar demasiados conteúdos do %s." - "O armazenamento do tablet está cheio. Elimine alguns ficheiros para libertar espaço." - "O armazenamento de visualizações está cheio. Elimine alguns ficheiros para libertar espaço." - "O armazenamento da TV está cheio. Elimine alguns ficheiros para libertar espaço." - "O armazenamento do telemóvel está cheio. Elimine alguns ficheiros para libertar espaço." - - Autoridades de certificação instaladas - Autoridade de certificação instalada + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed - "Por um terceiro desconhecido" - "Pelo gestor do seu perfil de trabalho" - "Por %s" - "Perfil de trabalho eliminado" - "A aplicação de administração do perfil de trabalho está em falta ou danificada. Consequentemente, o seu perfil de trabalho e os dados relacionados foram eliminados. Contacte o gestor para obter assistência." - "O seu perfil de trabalho já não está disponível neste dispositivo" - "Demasiadas tentativas de introdução da palavra-passe" - "O dispositivo é gerido" - "A sua entidade gere este dispositivo e pode monitorizar o tráfego de rede. Toque para obter mais detalhes." - "O seu dispositivo será apagado" - "Não é possível utilizar a aplicação de administrador. O seu dispositivo será agora apagado.\n\nSe tiver questões, contacte o administrador da entidade." - "Impressão desativada por %s." - "Eu" - "Opções do tablet" - "Opções de TV" - "Opções do telefone" - "Modo silencioso" - "Ativar sem fios" - "Desativar sem fios" - "Bloqueio de ecrã" - "Desligar" - "Campainha desativada" - "Campainha em vibração." - "Campainha ativada" - "Atualização do sistema Android" - "A preparar para atualizar…" - "A processar o pacote de atualização…" - "A reiniciar…" - "Reposição de dados de fábrica" - "A reiniciar…" - "A encerrar..." - "O seu tablet irá encerrar." - "A sua TV será encerrada." - "As suas visualizações vão ser encerradas." - "O seu telefone será encerrado." - "Pretende encerrar?" - "Reiniciar no modo de segurança" - "Pretende reiniciar no modo de segurança? Se sim, irá desativar todas as aplicações de terceiros instaladas. Estas serão restauradas quando reiniciar novamente." - "Recente" - "Não existem aplicações recentes" - "Opções do tablet" - "Opções de TV" - "Opções do telefone" - "Bloqueio de ecrã" - "Desligar" - "Emergência" - "Relatório de erros" - "Terminar sessão" - "Capt. ecrã" - "Relatório de erro" - "Será recolhida informação sobre o estado atual do seu dispositivo a enviar através de uma mensagem de email. Demorará algum tempo até que o relatório de erro esteja pronto para ser enviado. Aguarde um pouco." - "Relatório interativo" - "Utilize esta opção na maioria das circunstâncias. Permite monitorizar o progresso do relatório, introduzir mais detalhes acerca do problema e tirar capturas de ecrã. Pode omitir algumas secções menos utilizadas que demoram muito tempo a comunicar." - "Relatório completo" - "Utilize esta opção para uma interferência mínima do sistema quando o dispositivo não responder ou estiver demasiado lento, ou quando precisar de todas as secções de relatório. Não permite introduzir mais detalhes ou tirar capturas de ecrã adicionais." - - A tirar uma captura de ecrã do relatório de erro dentro de %d segundos. - A tirar uma captura de ecrã do relatório de erro dentro de %d segundo… + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. - "Modo silencioso" - "Som desativado" - "O som está ativado" - "Modo de avião" - "O modo de voo está ativado" - "O modo de voo está desativado" - "Definições" - "Assistência" - "Assist. de voz" - "Bloqueio" - "999+" - "Nova notificação" - "Teclado virtual" - "Teclado físico" - "Segurança" - "Modo automóvel" - "Estado da conta" - "Mensagens do programador" - "Atualizações" - "Estado da rede" - "Alertas da rede" - "Rede disponível" - "Estado da VPN" - "Alertas do seu administrador de TI" - "Alertas" - "Demonstração para retalho" - "Ligação USB" - "Aplicação em execução" - "Aplicações que estão a consumir bateria" - "A aplicação %1$s está a consumir bateria." - "%1$d aplicações estão a consumir bateria." - "Toque para obter detalhes acerca da utilização da bateria e dos dados" - "%1$s, %2$s" - "Modo seguro" - "Sistema Android" - "Mudar para o perfil pessoal" - "Mudar para o perfil de trabalho" - "Contactos" - "aceder aos contactos" - "Pretende permitir que a aplicação <b>%1$s</b> aceda aos seus contactos?" - "Localização" - "aceder à localização do seu dispositivo" - "Pretende permitir que a aplicação <b>%1$s</b> aceda à localização deste dispositivo?" - "A aplicação tem acesso à localização apenas enquanto a estiver a utilizar" - "Pretende permitir que a aplicação <b>%1$s</b> aceda <b>sempre</b> à localização deste dispositivo?" - "Atualmente, a aplicação pode aceder à localização apenas enquanto estiver a ser utilizada" - "Calendário" - "aceder ao calendário" - "Pretende permitir que a aplicação <b>%1$s</b> aceda ao calendário?" - "SMS" - "enviar e ver mensagens SMS" - "Pretende permitir que a aplicação <b>%1$s</b> envie e veja mensagens SMS?" - "Armazenamento" - "aceder a fotos, multimédia e ficheiros no dispositivo" - "Pretende permitir que a aplicação <b>%1$s</b> aceda a fotos, multimédia e ficheiros no dispositivo?" - "Microfone" - "gravar áudio" - "Pretende permitir que a aplicação <b>%1$s</b> grave áudio?" - "Atividade física" - "aceder à sua atividade física" - "Pretende permitir que a aplicação <b>%1$s</b> aceda à sua atividade física?" - "Câmara" - "tirar fotos e gravar vídeos" - "Pretende permitir que a aplicação <b>%1$s</b> tire fotos e grave vídeo?" - "Registos de chamadas" - "ler e escrever o registo de chamadas do telemóvel" - "Pretende permitir que a aplicação <b>%1$s</b> aceda aos registos de chamadas do seu telemóvel?" - "Telemóvel" - "fazer e gerir chamadas" - "Pretende permitir que a aplicação <b>%1$s</b> faça e gira chamadas telefónicas?" - "Sensores de corpo" - "aceder a dados do sensor acerca dos seus sinais vitais" - "Pretende permitir que a aplicação <b>%1$s</b> aceda aos dados do sensor acerca dos seus sinais vitais?" - "Obter conteúdo da janela" - "Inspecionar o conteúdo de uma janela com a qual está a interagir." - "Ativar Explorar Através do Toque" - "Os itens em que tocar serão pronunciados em voz alta e o ecrã poderá ser explorado através de gestos." - "Observar o texto que escreve" - "Inclui dados pessoais, como números de cartões de crédito e palavras-passe." - "Controlar a ampliação do ecrã" - "Controlar o nível de zoom e o posicionamento do ecrã." - "Realizar gestos" - "É possível tocar, deslizar rapidamente, juntar os dedos e realizar outros gestos" - "Gestos de impressão digital" - "Pode capturar gestos realizados no sensor de impressões digitais do dispositivo." - "desativar ou modificar barra de estado" - "Permite à aplicação desativar a barra de estado ou adicionar e remover ícones do sistema." - "ser apresentada na barra de estado" - "Permite que a aplicação seja apresentada na barra de estado." - "expandir/fechar barra de estado" - "Permite à aplicação expandir ou fechar a barra de estado." - "instalar atalhos" - "Permite que uma aplicação adicione atalhos ao Ecrã principal sem a intervenção do utilizador." - "desinstalar atalhos" - "Permite que a aplicação remova atalhos do Ecrã principal sem a intervenção do utilizador." - "redirecionar as chamadas efetuadas" - "Permite que a aplicação veja o número que é marcado durante uma chamada efetuada, com a opção de redirecionar a chamada para um número diferente ou terminar a chamada." - "atender chamadas telefónicas" - "Permite que a aplicação atenda chamadas recebidas." - "receber mensagens de texto (SMS)" - "Permite que a aplicação receba e processe mensagens SMS. Isto significa que a aplicação poderá monitorizar ou eliminar mensagens enviadas para o seu dispositivo sem as apresentar." - "receber mensagens de texto (MMS)" - "Permite que a aplicação receba e processe mensagens MMS. Isto significa que a aplicação poderá monitorizar ou eliminar mensagens enviadas para o seu dispositivo sem as apresentar." - "ler mensagens de transmissão celular" - "Permite que a aplicação leia mensagens de transmissão celular recebidas pelo seu dispositivo. Os alertas de transmissão celular são fornecidos em algumas localizações para avisá-lo sobre situações de emergência. As aplicações maliciosas podem interferir com o desempenho ou funcionamento do seu dispositivo quando for recebida uma transmissão celular de emergência." - "ler feeds subscritos" - "Permite à aplicação obter detalhes acerca dos feeds atualmente sincronizados." - "enviar e ver mensagens SMS" - "Permite que a aplicação envie mensagens SMS. Isto pode resultar em custos inesperados. As aplicações maliciosas podem fazer com que incorra em custos, enviando mensagens sem a sua confirmação." - "ler as mensagens de texto (SMS ou MMS)" - "Esta aplicação pode ler todas as mensagens SMS (de texto) armazenadas no seu tablet." - "Esta aplicação pode ler todas as mensagens SMS (de texto) armazenadas na sua TV." - "Esta aplicação pode ler todas as mensagens SMS (de texto) armazenadas no seu telemóvel." - "receber mensagens de texto (WAP)" - "Permite que a aplicação receba e processe mensagens WAP. Esta autorização inclui a capacidade de monitorizar ou eliminar mensagens enviadas para si sem as apresentar." - "obter aplicações em execução" - "Permite que a aplicação recupere informações acerca de tarefas executadas atual e recentemente. Isto pode permitir que a aplicação descubra informações acerca de quais as aplicações utilizadas no dispositivo." - "gerir proprietários de perfis e de dispositivos" - "Permite que as aplicações definam proprietários de perfis e o proprietário do dispositivo." - "reordenar as aplicações em execução" - "Permite que a aplicação mova tarefas para primeiro e segundo plano. A aplicação poderá fazê-lo sem qualquer entrada do utilizador." - "ativar modo de carro" - "Permite que a aplicação ative o modo automóvel." - "fechar outras aplicações" - "Permite que a aplicação termine processos em segundo plano de outras aplicações. Isto pode fazer com que outras aplicações deixem de funcionar." - "Esta aplicação pode aparecer por cima de outras aplicações" - "Esta aplicação pode aparecer por cima de outras aplicações ou de outras partes do ecrã. Tal pode interferir com a utilização normal das aplicações e alterar a forma como as outras aplicações aparecem." - "executar em segundo plano" - "Esta aplicação pode ser executada em segundo plano, o que pode descarregar a bateria mais rapidamente." - "utilizar dados em segundo plano" - "Esta aplicação pode utilizar dados em segundo plano, o que pode aumentar a utilização de dados." - "fazer com que a aplicação seja sempre executada" - "Permite que a aplicação torne partes de si mesma persistentes na memória. Isto pode limitar a disponibilidade da memória para outras aplicações, tornando o tablet mais lento." - "Permite à aplicação tornar partes de si própria persistentes na memória. Isto pode limitar a memória disponível para outras aplicações, o que torna a TV mais lenta." - "Permite que a aplicação torne partes de si mesma persistentes na memória. Isto pode limitar a disponibilidade da memória para outras aplicações, tornando o telemóvel mais lento." - "executar serviço em primeiro plano" - "Permite que a aplicação utilize serviços em primeiro plano." - "medir espaço de armazenamento da aplicação" - "Permite à aplicação obter o código, os dados e o tamanhos de cache da mesma" - "modificar as definições do sistema" - "Permite à aplicação modificar os dados das definições do sistema. As aplicações maliciosas podem corromper a configuração do seu sistema." - "executar no arranque" - "Permite que uma aplicação se inicie automaticamente assim que tiver terminado o arranque do sistema. Isto pode atrasar o arranque do tablet e permitir à aplicação abrandar todo o funcionamento do tablet, uma vez que está em constante execução." - "Permite que a aplicação seja iniciada automaticamente assim que o sistema termine de arrancar. Isto pode fazer com que a TV demore mais tempo a iniciar e com que a aplicação abrande o tablet em geral por estar sempre a funcionar." - "Permite que uma aplicação se inicie automaticamente assim que tiver terminado o arranque do sistema. Isto pode atrasar o arranque do telemóvel e permitir à aplicação abrandar todo o funcionamento do telemóvel, uma vez que está em constante execução." - "enviar difusão fixa" - "Permite que uma aplicação envie difusões fixas, que permanecem após o fim da difusão. Uma utilização excessiva pode tornar o tablet lento ou instável, fazendo com que utilize demasiada memória." - "Permite à aplicação enviar transmissões duradouras, que se mantêm após a transmissão terminar. A utilização excessiva pode tornar a TV lenta ou instável devido à utilização de demasiada memória." - "Permite que a aplicação envie difusões fixas, que permanecem após o fim da difusão. Uma utilização excessiva pode tornar o telemóvel lento ou instável, fazendo com que utilize demasiada memória." - "ler os contactos" - "Permite à aplicação ler dados acerca dos contactos armazenados no seu tablet. Esta autorização permite às aplicações guardarem dados de contactos e as aplicações maliciosas podem partilhá-los sem o seu conhecimento." - "Permite à aplicação ler dados acerca dos contactos armazenados na sua TV. Esta autorização permite às aplicações guardarem dados de contactos e as aplicações maliciosas podem partilhá-los sem o seu conhecimento." - "Permite à aplicação ler dados acerca dos contactos armazenados no seu telemóvel. Esta autorização permite às aplicações guardarem dados de contactos e as aplicações maliciosas podem partilhá-los sem o seu conhecimento." - "modificar os contactos" - "Permite que a aplicação modifique dados acerca dos contactos armazenados no tablet. Esta autorização permite que as aplicações eliminem dados de contactos." - "Permite à aplicação modificar os dados acerca dos contactos armazenados na sua TV. Esta autorização permite que as aplicações eliminem dados de contactos." - "Permite que a aplicação modifique dados acerca dos contactos guardados no telemóvel. Esta autorização permite que as aplicações eliminem dados de contactos." - "ler registo de chamadas" - "Esta aplicação pode ler o seu histórico de chamadas." - "escrever registo de chamadas" - "Permite à aplicação modificar o registo de chamadas do tablet, incluindo os dados sobre as chamadas recebidas e efetuadas. As aplicações maliciosas podem utilizar esta funcionalidade para apagar ou modificar o registo de chamadas." - "Permite à aplicação modificar o registo de chamadas da sua TV, incluindo os dados sobre as chamadas recebidas e efetuadas. As aplicações maliciosas podem utilizar esta funcionalidade para apagar ou modificar o registo de chamadas." - "Permite à aplicação modificar o registo de chamadas do telemóvel, incluindo os dados sobre as chamadas recebidas e efetuadas. As aplicações maliciosas podem utilizar esta funcionalidade para apagar ou modificar o seu registo de chamadas." - "aceder a sensores corporais (como monitores do ritmo cardíaco)" - "Permite que a aplicação aceda a dados de sensores que monitorizam a sua condição física, como o ritmo cardíaco." - "Ler detalhes e eventos do calendário" - "Esta aplicação pode ler todos os eventos do calendário armazenados no seu tablet e partilhar ou guardar os dados do calendário." - "Esta aplicação pode ler todos os eventos do calendário armazenados na sua TV e partilhar ou guardar os dados do calendário." - "Esta aplicação pode ler todos os eventos do calendário armazenados no seu telemóvel e partilhar ou guardar os dados do calendário." - "adicionar ou modificar eventos do calendário e enviar email a convidados sem o conhecimento dos proprietários" - "Esta aplicação pode adicionar, remover ou alterar eventos do calendário no seu tablet. Esta aplicação pode enviar mensagens que parecem vir de proprietários do calendário ou alterar eventos sem notificar os respetivos proprietários." - "Esta aplicação pode adicionar, remover ou alterar eventos do calendário na sua TV. Esta aplicação pode enviar mensagens que parecem vir de proprietários do calendário ou alterar eventos sem notificar os respetivos proprietários." - "Esta aplicação pode adicionar, remover ou alterar eventos do calendário no seu telemóvel. Esta aplicação pode enviar mensagens que parecem vir de proprietários do calendário ou alterar eventos sem notificar os respetivos proprietários." - "aceder a comandos adicionais do fornecedor de localização" - "Permite que a aplicação aceda a comandos adicionais do fornecedor de localização. Esta opção pode permitir que a aplicação interfira com o funcionamento do GPS ou de outras fontes de localização." - "apenas aceder à localização exata em primeiro plano" - "Esta aplicação apenas pode obter a sua localização exata quando estiver em primeiro plano. É necessário que estes Serviços de localização estejam ativados e disponíveis no seu telemóvel para que a aplicação os possa utilizar. Esta ação pode aumentar o consumo da bateria." - "aceder à localização aproximada (baseada na rede) apenas em primeiro plano" - "Esta aplicação pode obter a sua localização com base em fontes de rede, tais como torres de redes móveis e redes Wi-Fi, mas apenas quando estiver em primeiro plano. É necessário que estes Serviços de localização estejam ativados e disponíveis no seu tablet para que a aplicação os possa utilizar." - "Esta aplicação pode obter a sua localização com base em fontes de rede, tais como torres de redes móveis e redes Wi-Fi, mas apenas quando estiver em primeiro plano. É necessário que estes Serviços de localização estejam ativados e disponíveis na sua TV para que a aplicação os possa utilizar." - "Esta aplicação apenas pode obter a sua localização aproximada quando estiver em primeiro plano. É necessário que estes Serviços de localização estejam ativados e disponíveis no seu automóvel para que a aplicação os possa utilizar." - "Esta aplicação pode obter a sua localização com base em fontes de rede, tais como torres de redes móveis e redes Wi-Fi, mas apenas quando estiver em primeiro plano. É necessário que estes Serviços de localização estejam ativados e disponíveis no seu telemóvel para que a aplicação os possa utilizar." - "aceder à localização em segundo plano" - "Se tal for concedido em conjunto com o acesso à localização aproximada ou exata, a aplicação pode aceder à localização mesmo estando em segundo plano." - "alterar as suas definições de áudio" - "Permite que a aplicação modifique definições de áudio globais, tais como o volume e qual o altifalante utilizado para a saída de som." - "gravar áudio" - "Esta aplicação pode gravar áudio através do microfone em qualquer altura." - "enviar comandos para o SIM" - "Permite que a aplicação envie comandos para o SIM. Esta ação é muito perigosa." - "reconhecer a atividade física" - "Esta aplicação consegue reconhecer a sua atividade física." - "tirar fotos e vídeos" - "Esta aplicação pode tirar fotos e gravar vídeos através da câmara em qualquer altura." - "Permitir que uma app ou um serviço receba chamadas de retorno sobre dispositivos de câmara que estão a ser abertos ou fechados" - "Esta app pode receber chamadas de retorno quando qualquer dispositivo de câmara está a ser aberto (e por que aplicação) ou fechado." - "controlar vibração" - "Permite à aplicação controlar o vibrador." - "marcar números de telefone diretamente" - "Permite que a aplicação ligue para números de telefone sem a intervenção do utilizador. Esta ação pode resultar em cobranças ou chamadas inesperadas. Tenha em atenção que isto não permite que a aplicação ligue para números de emergência. As aplicações maliciosas podem fazer com que incorra em custos, fazendo chamadas sem a sua confirmação." - "aceder ao serviço de chamadas IMS" - "Permite que a aplicação utilize o serviço IMS para fazer chamadas sem a sua intervenção." - "ler o estado e a identidade do telemóvel" - "Permite que a aplicação aceda às funcionalidades de telefone do dispositivo. Esta autorização permite que a aplicação determine o número de telefone e IDs do dispositivo, se alguma chamada está ativa e qual o número remoto ligado por uma chamada." - "encaminhar chamadas através do sistema" - "Permite que a aplicação encaminhe as respetivas chamadas através do sistema de modo a melhorar a experiência da chamada." - "ver e controlar chamadas através do sistema." - "Permite à aplicação ver e controlar as chamadas em curso no dispositivo. Isto inclui informações como números de telefone das chamadas e o estado das mesmas." - "continuar uma chamada a partir de outra aplicação" - "Permite à aplicação continuar uma chamada iniciada noutra aplicação." - "ler os números de telefone" - "Permite à aplicação aceder aos números de telefone do dispositivo." - "manter o ecrã do automóvel ligado" - "impedir que o tablet entre em inactividade" - "impedir a TV de entrar no modo de suspensão" - "impedir modo de inactividade do telefone" - "Permite que a app mantenha o ecrã do automóvel ligado." - "Permite que a aplicação impeça o tablet de entrar no modo de suspensão." - "Permite à aplicação impedir a TV de entrar em modo de suspensão." - "Permite que a aplicação impeça o telemóvel de entrar em inatividade." - "transmitir infravermelhos" - "Permite que a aplicação utilize o transmissor de infravermelhos do tablet." - "Permite à aplicação utilizar o transmissor de infravermelhos da TV." - "Permite que a aplicação utilize o transmissor de infravermelhos do telemóvel." - "definir imagem de fundo" - "Permite à aplicação definir a imagem de fundo do sistema." - "ajustar o tamanho da imagem de fundo" - "Permite que a aplicação defina as sugestões de tamanho da imagem de fundo do sistema." - "definir fuso horário" - "Permite que a aplicação altere o fuso horário do tablet." - "Permite à aplicação alterar o fuso horário da TV." - "Permite que a aplicação altere o fuso horário do telemóvel." - "procurar contas no dispositivo" - "Permite que a aplicação obtenha a lista de contas reconhecidas pelo tablet. Pode incluir qualquer conta criada pelas aplicações instaladas." - "Permite à aplicação obter a lista de contas conhecidas da TV. Isto pode incluir quaisquer contas criadas por aplicações que o utilizador tenha instalado." - "Permite que a aplicação obtenha a lista de contas reconhecidas pelo telemóvel. Pode incluir qualquer conta criada pelas aplicações instaladas." - "ver ligações de rede" - "Permite que a aplicação visualize informações acerca das ligações de rede como, por exemplo, que redes que existem e estão ligadas." - "ter acesso total à rede" - "Permite que a aplicação crie ligações de rede e utilize protocolos de rede personalizados. O navegador e outras aplicações fornecem meios para enviar dados para a Internet, pelo que esta autorização não é necessária para enviar dados para a Internet." - "mudar conectividade de rede" - "Permite que a aplicação altere o estado de conectividade da rede." - "alterar conectividade associada" - "Permite que a aplicação altere o estado de conectividade da rede ligada." - "ver ligações Wi-Fi" - "Permite que a aplicação visualize informações acerca de redes Wi-Fi como, por exemplo, se o Wi-Fi está ativado e o nome dos dispositivos Wi-Fi ligados." - "ligar e desligar de redes Wi-Fi" - "Permite que a aplicação se ligue e desligue de pontos de acesso Wi-Fi e que efetue alterações à configuração do dispositivo para redes Wi-Fi." - "permitir recepção Multicast Wi-Fi" - "Permite que a aplicação receba pacotes enviados para todos os dispositivos numa rede Wi-Fi através de endereços multicast, não apenas para o tablet. Utiliza mais energia do que o modo não multicast." - "Permite à aplicação receber pacotes enviados para todos os dispositivos numa rede Wi-Fi através de endereços multicast, não apenas para a sua TV. Utiliza mais energia do que o modo não multicast." - "Permite que a aplicação receba pacotes enviados para todos os dispositivos numa rede Wi-Fi através de endereços multicast, não apenas para o telemóvel. Utiliza mais energia do que o modo não multicast." - "aceder às definições de Bluetooth" - "Permite à aplicação configurar o tablet Bluetooth local, bem como descobrir e emparelhar com dispositivos remotos." - "Permite à aplicação configurar a TV com Bluetooth local, bem como descobrir e sincronizar com dispositivos remotos." - "Permite que a aplicação configure o telemóvel Bluetooth local, bem como descobrir e emparelhar com dispositivos remotos." - "ligar e desligar do WiMAX" - "Permite que a aplicação determine se o WiMAX está ativado e aceda a informações acerca de qualquer rede WiMAX que esteja ligada." - "alterar estado do WiMAX" - "Permite que a aplicação ligue e desligue o tablet de redes WiMAX." - "Permite à aplicação ligar e desligar a TV de redes WiMAX." - "Permite que a aplicação ligue e desligue o telemóvel de redes WiMAX." - "sincronizar com dispositivos Bluetooth" - "Permite que a aplicação visualize a configuração do Bluetooth no tablet e que estabeleça e aceite ligações com dispositivos emparelhados." - "Permite à aplicação ver a configuração de Bluetooth na TV e fazer e aceitar ligações com os dispositivos sincronizados." - "Permite que a aplicação visualize a configuração do Bluetooth no telemóvel e que estabeleça e aceite ligações com dispositivos emparelhados." - "controlo Near Field Communication" - "Permite que a aplicação comunique com etiquetas, cartões e leitores Near Field Communication (NFC)." - "desativar o bloqueio do ecrã" - "Permite que a aplicação desative o bloqueio de teclas e qualquer segurança por palavra-passe associada. Por exemplo, o telemóvel desativa o bloqueio de teclas quando recebe uma chamada e reativa o bloqueio de teclas ao terminar a chamada." - "solicitar a complexidade do bloqueio de ecrã" - "Permite que a aplicação aprenda o nível de complexidade do bloqueio de ecrã (elevado, médio, baixo ou nenhum), que indica o intervalo de comprimento e o tipo de bloqueio de ecrã possíveis. A aplicação também pode sugerir aos utilizadores que atualizem o bloqueio de ecrã para um determinado nível, mas estes podem ignorar livremente a sugestão e continuar a navegação. Tenha em atenção que o bloqueio de ecrã não é armazenado em texto simples, pelo que a aplicação desconhece a palavra-passe exata." - "Utilizar hardware biométrico" - "Permite que a aplicação utilize hardware biométrico para autenticação." - "gerir o hardware de impressão digital" - "Permite que a aplicação invoque métodos para adicionar e eliminar modelos de impressão digital para utilização." - "utilizar o hardware de impressão digital" - "Permite que a aplicação utilize o hardware de impressão digital para autenticação" - "modificar a sua coleção de música" - "Permite que a aplicação modifique a sua coleção de música." - "modificar a sua coleção de vídeos" - "Permite que a aplicação modifique a sua coleção de vídeos." - "modificar a sua coleção de fotos" - "Permite que a aplicação modifique a sua coleção de fotos." - "ler as localizações a partir da sua coleção de multimédia" - "Permite que a aplicação leia as localizações a partir da sua coleção de multimédia." - "Confirme a sua identidade" - "Hardware biométrico indisponível." - "Autenticação cancelada" - "Não reconhecido." - "Autenticação cancelada" - "Nenhum PIN, padrão ou palavra-passe definidos." - "Impressão digital detetada. Tente novamente." - "Não foi possível processar a impressão digital. Tente novamente." - "O sensor de impressões digitais está sujo. Limpe-o e tente novamente." - "O dedo moveu-se demasiado rápido. Tente novamente." - "Moveu o dedo demasiado lentamente. Tente novamente." - - - "A impressão digital foi autenticada." - "Rosto autenticado." - "Rosto autenticado. Prima Confirmar." - "Hardware de impressão digital não disponível." - "Não é possível armazenar a impressão digital. Remova uma impressão digital existente." - "Foi atingido o limite de tempo da impressão digital. Tente novamente." - "Operação de impressão digital cancelada." - "Operação de impressão digital cancelada pelo utilizador." - "Demasiadas tentativas. Tente novamente mais tarde." - "Demasiadas tentativas. Sensor de impressões digitais desativado." - "Tente novamente." - "Nenhuma impressão digital registada." - "Este dispositivo não tem sensor de impressões digitais." - "Dedo %d" - - - "Ícone de impressão digital" - "gerir hardware de Desbloqueio Através do Rosto" - "Permite à aplicação invocar métodos para adicionar e eliminar modelos faciais para uso." - "utilizar hardware de Desbloqueio Através do Rosto" - "Permite que a aplicação utilize hardware de Desbloqueio Através do Rosto para autenticação" - "Desbloqueio Através do Rosto" - "Volte a inscrever o seu rosto" - "Para melhorar o reconhecimento, volte a inscrever o seu rosto." - "Imp. capt. dados rosto precisos. Tente novamente." - "Demasiado clara. Experimente uma luz mais suave." - "Demasiado escura. Experimente local com mais luz." - "Afaste ainda mais o telemóvel." - "Aproxime o telemóvel." - "Mova o telemóvel mais para cima." - "Mova o telemóvel mais para baixo." - "Mova o telemóvel para a esquerda." - "Mova o telemóvel para a direita." - "Olhe mais diretamente para o dispositivo." - "Posicione o rosto em frente ao telemóvel." - "Demasiado movimento. Mantenha o telemóvel firme." - "Volte a inscrever o rosto." - "Impossível reconhecer o rosto. Tente novamente." - "Muito parecida, mude de pose." - "Rode a cabeça um pouco menos." - "Rode a cabeça um pouco menos." - "Rode a cabeça um pouco menos." - "Remova tudo o que esteja a ocultar o seu rosto." - "Limpe a parte superior do ecrã, incluindo a barra preta." - - - "Não pode validar o rosto. Hardware não disponível." - "Experimente de novo o Desbloqueio Através do Rosto" - "Não pode guardar novos dados de rostos. Elimine um antigo." - "Operação de rosto cancelada." - "Desbloqueio Através do Rosto cancelado pelo utilizador" - "Demasiadas tentativas. Tente novamente mais tarde." - "Demasiadas tentativas. O Desbloqueio Através do Rosto está desativado." - "Não é possível validar o rosto. Tente novamente." - "Não configurou o Desbloqueio Através do Rosto." - "Desbloqueio Através do Rosto não suportado neste dispositivo." - "Rosto %d" - - - "Ícone de rosto" - "ler definições de sincronização" - "Permite que a aplicação leia as definições de sincronização de uma conta. Por exemplo, pode determinar se a aplicação Pessoas está sincronizada com uma conta." - "ativar e desativar a sincronização" - "Permite que uma aplicação modifique as definições de sincronização de uma conta. Por exemplo, pode ser utilizada para ativar a sincronização da aplicação Pessoas com uma conta." - "ler estatísticas de sincronização" - "Permite que uma aplicação leia o estado de sincronização de uma conta, incluindo o histórico de eventos de sincronização e a quantidade de dados sincronizados." - "ler os conteúdos do armazen. partilhado" - "Permite que a aplicação leia conteúdos do armazenamento partilhado." - "modif./elim. os conteúdos do armazenam. partilhado" - "Permite que a apl. escreva conteúd. do armazen. partilhado." - "efetuar/receber chamadas SIP" - "Permite que a aplicação efetue e receba chamadas SIP." - "registar novas ligações SIM de telecomunicações" - "Permite que a aplicação registe novas ligações SIM de telecomunicações." - "registar novas ligações de telecomunicações" - "Permite que a aplicação registe novas ligações de telecomunicação." - "gerir ligações de telecomunicação" - "Permite que a aplicação faça a gestão das ligações de telecomunicação." - "interagir com o ecrã durante uma chamada" - "Permite que a aplicação controle quando e como o utilizador vê o ecrã durante uma chamada." - "Interagir com serviços telefónicos" - "Permite à aplicação interagir com serviços telefónicos e fazer/receber chamadas." - "proporcionar uma experiência de utilizador em chamada" - "Permite que a aplicação proporcione uma experiência de utilizador em chamada." - "ler utilização histórica da rede" - "Permite que a aplicação leia utilização histórica da rede para redes e aplicações específicas." - "gerir a política de rede" - "Permite que a aplicação faça a gestão de políticas de rede e defina regras específicas de aplicações." - "modificar contabilização da utilização da rede" - "Permite que a aplicação modifique o modo como a utilização da rede é contabilizada em relação a aplicações. Nunca é necessário para aplicações normais." - "aceder às notificações" - "Permite que a aplicação obtenha, examine e limpe notificações, incluindo as que foram publicadas por outras aplicações." - "vincular a um serviço de escuta de notificações" - "Permite que o titular vincule a interface de nível superior de um serviço de escuta de notificações. Nunca deverá ser necessário para aplicações normais." - "vincular a um serviço de fornecedor de condição" - "Permite que o titular vincule a interface de nível superior de um serviço de fornecedor de condição. Nunca deverá ser necessário para aplicações normais." - "vincular-se a um serviço de sonho" - "Permite ao detentor ficar vinculado à interface de nível superior de um serviço de sonho. Nunca deverá ser necessário para aplicações normais." - "invocar a aplicação de configuração fornecida pela operadora" - "Permite que o titular invoque a aplicação de configuração fornecida pela operadora. Nunca deverá ser necessário para aplicações normais." - "ouvir observações sobre as condições da rede" - "Permite que uma aplicação ouça observações sobre as condições da rede. Nunca deverá ser necessário para aplicações normais." - "alterar a calibragem de entrada do dispositivo" - "Permite à aplicação modificar os parâmetros de calibragem do ecrã tátil. Esta funcionalidade nunca deverá ser necessária para aplicações normais." - "Aceder a certificados DRM" - "Permite que uma aplicação forneça e utilize certificados DRM. Nunca deverá ser necessário para aplicações normais." - "receber estado de transferência do Android Beam" - "Permite que esta aplicação receba informações acerca das transferências atuais do Android Beam" - "remover certificados DRM" - "Permite que uma aplicação remova certificados DRM. Nunca deverá ser necessário para aplicações normais." - "ligar ao serviço de mensagens de um operador" - "Permite ao titular ligar à interface de nível superior do serviço de mensagens de um operador. Nunca deve ser necessário para aplicações normais." - "vincular a serviços do operador" - "Permite ao titular vincular-se a serviços do operador. Nunca deverá ser necessário nas aplicações normais." - "aceder a Não incomodar" - "Permite à aplicação ler e alterar a configuração de Não incomodar" - "iniciar utilização da autorização de visualização" - "Permite que o titular inicie a utilização de autorizações para uma aplicação. Nunca deverá ser necessário para aplicações normais." - "Definir regras de palavra-passe" - "Controlar o comprimento e os carateres permitidos nos PINs e nas palavras-passe do bloqueio de ecrã." - "Monitorizar tentativas de desbloqueio do ecrã" - "Monitorizar o número de palavras-passe incorretas escritas ao desbloquear o ecrã e bloquear o tablet ou apagar todos os dados do tablet, se forem escritas demasiadas palavras-passe incorretas." - "Monitorizar o número de palavras-passe incorretas introduzidas ao desbloquear o ecrã e bloquear a TV ou apagar todos os dados da TV caso sejam introduzidas demasiadas palavras-passe incorretas." - "Monitorizar o número de palavras-passe incorretas introduzidas ao desbloquear o ecrã e bloquear o telemóvel ou apagar todos os dados do telemóvel caso tenham sido introduzidas demasiadas palavras-passe." - "Monitorizar o número de palavras-passe incorretas introduzidas ao desbloquear o ecrã e bloquear o tablet ou apagar todos os dados deste utilizador se forem introduzidas demasiadas palavras-passe incorretas." - "Monitorizar o número de palavras-passe incorretas introduzidas ao desbloquear o ecrã e bloquear a TV ou apagar todos os dados deste utilizador se forem introduzidas demasiadas palavras-passe incorretas." - "Monitorizar o número de palavras-passe incorretas introduzidas ao desbloquear o ecrã e bloquear o telemóvel ou apagar todos os dados deste utilizador se forem introduzidas demasiadas palavras-passe incorretas." - "Alterar o bloqueio de ecrã" - "Altera o bloqueio de ecrã." - "Bloquear o ecrã" - "Controla como e quando ocorre o bloqueio do ecrã." - "Apagar todos os dados" - "Apagar os dados do tablet sem avisar através de uma reposição de dados de fábrica." - "Apagar os dados da TV sem aviso prévio ao executar uma reposição de dados de fábrica." - "Apaga os dados do telemóvel sem avisar ao efetuar uma reposição de dados de fábrica." - "Apagar os dados do utilizador" - "Apagar os dados deste utilizador neste tablet sem aviso." - "Apagar os dados deste utilizador nesta TV sem aviso." - "Apagar os dados deste utilizador neste telemóvel sem aviso." - "Definir o proxy global do aparelho" - "Definir o proxy global do dispositivo a utilizar enquanto a política está ativada. Apenas o proprietário do dispositivo pode definir o proxy global." - "Def. exp. p.-passe bloq. ecrã" - "Alterar a frequência com que a palavra-passe, o PIN ou a sequência do bloqueio de ecrã deve ser alterado." - "Def. encriptação armazenamento" - "Solicitar encriptação dos dados da aplicação armazenados." - "Desativar câmaras" - "Evitar a utilização de todas as câmaras do dispositivo." - "Desat. funcionalid. bloq. ecrã" - "Impede a utilização de algumas funcionalidades de bloqueio de ecrã." - - "Casa" - "Móvel" - "Emprego" - "Fax do emprego" - "Fax da residência" - "Pager" - "Outro" - "Personalizado" - - - "Residência" - "Emprego" - "Outro" - "Personalizado" - - - "Residência" - "Emprego" - "Outro" - "Personalizado" - - - "Residência" - "Emprego" - "Outro" - "Personalizado" - - - "Trabalho" - "Outro" - "Personalizado" - - - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Google Talk" - "ICQ" - "Jabber" - - "Personalizado" - "Casa" - "Telemóvel" - "Emprego" - "Fax do emprego" - "Fax da residência" - "Pager" - "Outro" - "Rechamada" - "Automóvel" - "Princ. da empresa" - "RDIS" - "Principal" - "Outro fax" - "Rádio" - "Telex" - "TTY TDD" - "Tel. do emprego" - "Pager do trabalho" - "Assistente" - "MMS" - "Personalizado" - "Data de nasc." - "Aniversário" - "Outro" - "Personalizado" - "Residência" - "Emprego" - "Outro" - "Telemóvel" - "Personalizado" - "Residência" - "Emprego" - "Outro" - "Personalizado" - "Residência" - "Emprego" - "Outro" - "Personalizado" - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Hangouts" - "ICQ" - "Jabber" - "NetMeeting" - "Emprego" - "Outro" - "Personalizado" - "Personalizado" - "Assistente" - "Irmão" - "Filho" - "Companheiro(a)" - "Pai" - "Amigo" - "Director" - "Mãe" - "Pais" - "Sócio" - "Recomendado por" - "Família" - "Irmã" - "Cônjuge" - "Personalizado" - "Casa" - "Emprego" - "Outro" - "Não foram encontradas aplicações para visualizar este contacto." - "Escreva o código PIN" - "Escreva o PUK e o novo código PIN" - "Código PUK" - "Novo código PIN" - "Toque p/ escr. a palavra-passe" - "Escreva a palavra-passe para desbloquear" - "Escreva o PIN para desbloquear" - "Código PIN incorreto." - "Para desbloquear, prima Menu e, em seguida, 0." - "Número de emergência" - "Sem rede móvel" - "Ecrã bloqueado." - "Prima Menu para desbloquear ou efectuar uma chamada de emergência." - "Prima Menu para desbloquear." - "Desenhar padrão para desbloquear" - "Emergência" - "Regressar à chamada" - "Correcto!" - "Tentar novamente" - "Tentar novamente" - "Desbloqueio de todas as funcionalidades e dados" - "Excedido o n.º máximo de tentativas de Desbloqueio Através do Rosto" - "Nenhum cartão SIM" - "Nenhum cartão SIM no tablet." - "Nenhum cartão SIM na TV." - "Nenhum cartão SIM no telefone." - "Insira um cartão SIM." - "O cartão SIM está em falta ou não é legível. Introduza um cartão SIM." - "Cartão SIM inutilizável." - "O cartão SIM foi desativado definitivamente. \n Contacte o seu fornecedor de serviços de rede sem fios para obter outro cartão SIM." - "Faixa anterior" - "Faixa seguinte" - "Interromper" - "Reproduzir" - "Parar" - "Rebobinar" - "Avançar" - "Apenas chamadas de emergência" - "Rede bloqueada" - "O cartão SIM está bloqueado por PUK" - "Consulte o Manual de utilizador ou contacte a Assistência a Clientes." - "O cartão SIM está bloqueado." - "A desbloquear cartão SIM..." - "Desenhou a sua padrão de desbloqueio incorretamente %1$d vezes. \n\nTente novamente dentro de %2$d segundos." - "Escreveu a sua palavra-passe incorretamente %1$d vezes. \n\n Tente novamente dentro de %2$d segundos." - "Escreveu o seu número PIN incorretamente %1$d vezes. \n\n Tente novamente dentro de %2$d segundos." - "Desenhou o padrão de desbloqueio incorretamente %1$d vezes. Após outras %2$d tentativas sem sucesso, ser-lhe-á pedido para desbloquear o tablet com as suas credenciais de início de sessão do Google.\n\n Tente novamente dentro de %3$d segundos." - "O utilizador desenhou incorretamente a sua padrão de desbloqueio %1$d vezes. Após mais %2$d tentativas sem êxito, é-lhe pedido que desbloqueie a sua TV através do seu início de sessão Google.\n\n Tente novamente dentro de %3$d segundos." - "Desenhou o padrão de desbloqueio incorretamente %1$d vezes. Após outras %2$d tentativas sem sucesso, ser-lhe-á pedido para desbloquear o telemóvel com as suas credenciais de início de sessão do Google.\n\n Tente novamente dentro de %3$d segundos." - "Tentou desbloquear o tablet %1$d vezes de forma incorreta. Após mais %2$d tentativa(s) sem êxito, as definições de origem do tablet serão repostas e todos os dados de utilizador serão perdidos." - "O utilizador tentou desbloquear incorretamente a TV %1$d vezes. Após mais %2$d tentativas sem êxito, a TV é reposta para as predefinições de fábrica e todos os dados do utilizador são perdidos." - "Tentou desbloquear o telemóvel %1$d vezes de forma incorreta. Após mais %2$d tentativa(s) sem êxito, as definições de origem do telemóvel serão repostas e todos os dados de utilizador serão perdidos." - "Tentou desbloquear o tablet %d vezes de forma incorreta, pelo que serão repostas as respetivas definições de origem." - "O utilizador tentou desbloquear incorretamente a TV %d vezes. A TV será agora reposta para as predefinições de fábrica." - "Tentou desbloquear o telemóvel %d vezes de forma incorreta, pelo que serão repostas as respetivas definições de origem." - "Tente novamente dentro de %d segundos." - "Esqueceu-se do padrão?" - "Desbloqueio da conta" - "Demasiadas tentativas para desenhar sequência" - "Para desbloquear, inicie sessão com a Conta Google." - "Nome de utilizador (email)" - "Palavra-passe" - "Iniciar sessão" - "Nome de utilizador ou palavra-passe inválidos." - "Esqueceu-se do nome de utilizador ou da palavra-passe?\nVisite ""google.com/accounts/recovery""." - "A verificar…" - "Desbloquear" - "Som ativado" - "Som desativado" - "Sequência iniciada" - "Sequência apagada" - "Célula adicionada" - "Célula %1$s adicionada" - "Sequência concluída" - "Área da sequência." - "%1$s. Widget %2$d de %3$d." - "Adicionar widget." - "Vazio" - "Área de desbloqueio expandida." - "Área de desbloqueio minimizada." - "%1$s widget." - "Seletor de utilizadores" - "Estado" - "Câmara" - "Controlos de multimédia" - "Reordenação de widgets iniciada." - "Reordenação de widgets concluída." - "Widget %1$s eliminado." - "Expandir área de desbloqueio." - "Desbloqueio através de deslize." - "Desbloqueio através de sequência." - "Desbloqueio através do rosto." - "Desbloqueio através de PIN." - "Desbloqueio do SIM através de PIN." - "Desbloqueio do PUK do SIM." - "Desbloqueio através de palavra-passe." - "Área da sequência." - "Área de deslize." - "?123" - "ABC" - "ALT" - "carácter" - "palavra" - "link" - "linha" - "O teste de fábrica falhou" - "A ação FACTORY_TEST apenas é suportada para pacotes instalados em /system/app." - "Não foi localizado qualquer pacote que forneça a ação FACTORY_TEST." - "Reiniciar" - "A página em \"%s\" indica:" - "JavaScript" - "Confirmar Navegação" - "Sair desta Página" - "Permanecer nesta Página" - "%s\n\nTem a certeza de que pretende navegar para outra página?" - "Confirmar" - "Sugestão: toque duas vezes para aumentar ou diminuir o zoom." - "Preenchimento Automático" - "Configurar Preenchimento Automático" - "Preenchimento automático com %1$s" - " " - "$1$2$3" - ", " - "$1$2$3" - "Província" - "Código postal" - "Estado" - "Código postal" - "Concelho" - "Ilha" - "Distrito" - "Departamento" - "Município" - "Freguesia" - "Área" - "Emirado" - "ler os marcadores da Web e o histórico" - "Permite que a aplicação leia o histórico de todos os URLs visitados pelo Navegador e todos os marcadores do Navegador. Nota: esta autorização pode não ser aplicada por navegadores de terceiros ou outras aplicações com capacidades de navegação na Web." - "gravar marcadores da Web e o histórico" - "Permite que a aplicação modifique o histórico do Navegador ou marcadores guardados no tablet. Isto pode permitir que a aplicação apague ou modifique dados do Navegador. Nota: esta autorização pode não ser aplicada por navegadores de terceiros ou outras aplicações com capacidades de navegação na Web." - "Permite à aplicação modificar o histórico do navegador ou os marcadores armazenados na sua TV. Isto pode permitir à aplicação apagar ou modificar dados do navegador. Nota: esta autorização pode não ser aplicada por navegadores de terceiros ou outras aplicações com capacidade de navegação na Web." - "Permite que a aplicação modifique o histórico do Navegador ou marcadores guardados no telemóvel. Isto pode permitir que a aplicação apague ou modifique dados do Navegador. Nota: esta autorização pode não ser aplicada por navegadores de terceiros ou outras aplicações com capacidades de navegação na Web." - "definir um alarme" - "Permite que a aplicação defina um alarme numa aplicação de despertador instalada. Algumas aplicações de despertador podem não integrar esta funcionalidade." - "adicionar correio de voz" - "Permite que a aplicação adicione mensagens à sua caixa de entrada de correio de voz." - "modificar permissões de geolocalização do Navegador" - "Permite que a aplicação modifique as permissões de geolocalização do navegador. As aplicações maliciosas podem usar isto para permitir o envio de informações de localização para Web sites arbitrárias." - "Quer que o browser memorize esta palavra-passe?" - "Agora não" - "Lembrar" - "Nunca" - "Não tem autorização para abrir esta página." - "Texto copiado para a área de transferência." - "Copiado" - "Mais" - "Menu+" - "Meta +" - "Ctrl +" - "Alt +" - "Shift +" - "Sym +" - "Função +" - "espaço" - "introduzir" - "eliminar" - "Pesquisar" - "Pesquisar..." - "Pesquisar" - "Consulta de pesquisa" - "Limpar consulta" - "Enviar consulta" - "Pesquisa por voz" - "Ativar Explorar Através do Toque?" - "%1$s pretende ativar a funcionalidade Explorar Através do Toque. Quando a funcionalidade Explorar Através do Toque estiver ativada, pode ouvir ou visualizar descrições sobre o que está por baixo do seu dedo ou executar gestos para interagir com o tablet." - "%1$s pretende ativar a funcionalidade Explorar Através do Toque. Quando a funcionalidade Explorar Através do Toque estiver ativada, pode ouvir ou visualizar descrições sobre o que está por baixo do seu dedo ou executar gestos para interagir com o telemóvel." - "Há 1 mês" - "Há mais de 1 mês" - - Últimos %d dias - Último %d dia + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days - "Último mês" - "Mais antiga" - "a %s" - "às %s" - "em %s" - "dia" - "dias" - "hora" - "horas" - "minutos" - "min" - "seg" - "seg" - "semana" - "semanas" - "ano" - "anos" - "agora" - - %d m - %d m + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm - - %d h - %d h + + + %dh + %dh - - %d d - %d d + + + %dd + %dd - - %d a - %d a + + + %dy + %dy - - dentro de %d min - dentro de %d min + + + in %dm + in %dm - - dentro de %d h - dentro de %d h + + + in %dh + in %dh - - dentro de %d d - dentro de %d d + + + in %dd + in %dd - - dentro de %d a - dentro de %d a + + + in %dy + in %dy - - %d minutos - %d minuto + + + %d minute ago + %d minutes ago - - %d horas - %d hora + + + %d hour ago + %d hours ago - - %d dias - %d dia + + + %d day ago + %d days ago - - %d anos - %d ano + + + %d year ago + %d years ago - - dentro de %d minutos - dentro de %d minuto + + + in %d minute + in %d minutes - - dentro de %d horas - dentro de %d hora + + + in %d hour + in %d hours - - dentro de %d dias - dentro de %d dia + + + in %d day + in %d days - - dentro de %d anos - dentro de %d ano + + + in %d year + in %d years - "Problema com o vídeo" - "Este vídeo não é válido para transmissão neste aparelho." - "Não é possível reproduzir este vídeo." - "OK" - "%1$s, %2$s" - "meio-dia" - "Meio-dia" - "meia-noite" - "Meia-noite" - "%1$02d:%2$02d" - "%1$d:%2$02d:%3$02d" - "Selecionar tudo" - "Cortar" - "Copiar" - "Falha ao copiar para a área de transferência." - "Colar" - "Colar como texto simples" - "Substituir..." - "Eliminar" - "Copiar URL" - "Selecionar texto" - "Anular" - "Refazer" - "Preenchimento automático" - "Selecção de texto" - "Adicionar ao dicionário" - "Eliminar" - "Método de entrada" - "Acções de texto" - "Email" - "Enviar um email para o endereço selecionado" - "Telefonar" - "Telefonar para o número de telefone selecionado" - "Mapa" - "Localizar o endereço selecionado" - "Abrir" - "Abrir o URL selecionado" - "Mensagem" - "Enviar uma mensagem para o número de telefone selecionado" - "Adicionar" - "Adicionar aos contactos" - "Ver" - "Ver a hora selecionada no calendário" - "Agendar" - "Agendar um evento para a hora selecionada" - "Monitorizar" - "Monitorizar o voo selecionado" - "Traduzir" - "Traduzir o texto selecionado" - "Definir" - "Definir o texto selecionado" - "Está quase sem espaço de armazenamento" - "Algumas funções do sistema poderão não funcionar" - "Não existe armazenamento suficiente para o sistema. Certifique-se de que tem 250 MB de espaço livre e reinicie." - "%1$s em execução" - "Toque para obter mais informações ou para parar a aplicação." - "OK" - "Cancelar" - "OK" - "Cancelar" - "Atenção" - "A carregar…" - "Ativado" - "Desativado" - "Concluir ação utilizando" - "Concluir ação utilizando %1$s" - "Concluir ação" - "Abrir com" - "Abrir com %1$s" - "Abrir" - "Abra os links de %1$s com:" - "Abra os links com:" - "Abra os links com a aplicação %1$s" - "Abra os links de %1$s com a aplicação %2$s" - "Conceder acesso" - "Editar com" - "Editar com %1$s" - "Editar" - "Partilhar" - "Partilhar com %1$s" - "Partilhar" - "Enviar com" - "Enviar com %1$s" - "Enviar" - "Selecione uma aplicação Página inicial" - "Utilizar %1$s como Página inicial" - "Capturar imagem" - "Capturar imagem com" - "Capturar imagem com o %1$s" - "Capturar imagem" - "Utilizar por predefinição para esta ação." - "Utilizar outra aplicação" - "Limpar a predefinição nas Definições do Sistema > Aplicações > Transferidas." - "Escolha uma ação" - "Escolher uma aplicação para o dispositivo USB" - "Nenhuma aplicação pode efetuar esta ação." - "%1$s sofreu uma falha de sistema." - "%1$s sofreu uma falha de sistema." - "%1$s continua a falhar" - "%1$s continua a falhar" - "Abrir aplicação novamente" - "Enviar comentários" - "Fechar" - "Desativar som até o dispositivo reiniciar" - "Aguardar" - "Fechar aplicação" - - "%2$s não está a responder" - "%1$s não está a responder" - "%1$s não está a responder" - "O processo %1$s não está a responder" - "OK" - "Relatório" - "Esperar" - "A página deixou de responder. \n \n Pretende fechá-la?" - "Aplicação redirecionada" - "%1$s está agora a ser executado." - "%1$s foi originalmente iniciado." - "Escala" - "Mostrar sempre" - "Reative este modo nas Definições do Sistema > Aplicações > Transferidas." - "%1$s não suporta a definição de Tamanho do ecrã atual e pode ter um comportamento inesperado." - "Mostrar sempre" - "A aplicação %1$s foi concebida para uma versão incompatível do SO Android e pode ter um comportamento inesperado. Pode estar disponível uma versão atualizada da aplicação." - "Mostrar sempre" - "Verificar se existem atualizações" - "A aplicação %1$s (processo %2$s) violou a política StrictMode auto-imposta." - "O processo %1$s violou a política StrictMode auto-imposta." - "O telemóvel está a atualizar…" - "O tablet está a atualizar…" - "O dispositivo está a atualizar…" - "O telemóvel está a iniciar…" - "O Android está a iniciar…" - "O tablet está a iniciar…" - "O dispositivo está a iniciar…" - "A otimizar o armazenamento." - "A concluir a atualização do sistema…" - "O %1$s está a ser atualizado…" - "A otimizar a aplicação %1$d de %2$d." - "A preparar o %1$s." - "A iniciar aplicações" - "A concluir o arranque." - "%1$s em execução" - "Toque para regressar ao jogo." - "Selecionar jogo" - "Para um melhor desempenho, só pode abrir um destes jogos de cada vez." - "Regressar à aplicação %1$s" - "Abrir a aplicação %1$s" - "A aplicação %1$s vai fechar sem guardar." - "%1$s excedeu o limite da memória" - "A captura da área dinâmica para dados do processo %1$s está pronta." - "Foi recolhida a captura da área dinâmica para dados. Toque para partilhar." - "Pretende partilhar a captura da área dinâmica para dados?" - "O processo %1$s excedeu o respetivo limite de memória de %2$s. Está disponível uma captura da área dinâmica para dados para partilhar com o respetivo programador. Atenção: esta captura da área dinâmica para dados pode conter algumas das suas informações pessoais a que a aplicação tem acesso." - "O processo %1$s excedeu o respetivo limite de memória de %2$s. Está disponível uma captura da área dinâmica para dados para partilhar. Atenção: esta captura da área dinâmica para dados pode conter informações pessoais confidenciais a que o processo tem acesso, que podem incluir coisas que escreveu." - "Está disponível uma captura da área dinâmica para dados do processo %1$s para partilhar. Atenção: esta captura da área dinâmica para dados pode conter informações pessoais confidenciais a que o processo tem acesso, que podem incluir coisas que escreveu." - "Escolha uma ação para o texto" - "Volume da campainha" - "Volume de multimédia" - "A reproduzir através de Bluetooth" - "Conjunto de toques silenciosos" - "Volume da chamada recebida" - "Volume de chamada recebida em Bluetooth" - "Volume do alarme" - "Volume de notificações" - "Volume" - "Volume de Bluetooth" - "Volume do toque" - "Volume de chamadas" - "Volume de multimédia" - "Volume de notificações" - "Toque predefinido" - "Predefinição (%1$s)" - "Nenhum" - "Toques" - "Sons de alarme" - "Sons de notificação" - "Desconhecido" - "Não é possível ligar a %1$s" - "Toque para alterar as definições de privacidade e tente novamente." - "Pretende alterar a definição de privacidade?" - "Para associar, o %1$s tem de utilizar o endereço MAC do seu dispositivo, um identificador único. Atualmente, a sua definição de privacidade para esta rede utiliza um identificador aleatorizado. \n\nEsta alteração pode permitir que a localização do seu dispositivo seja monitorizada por dispositivos próximos." - "Alterar definição" - "Definição atualizada. Tente ligar novamente." - "Não é possível alterar a definição de privacidade." - "Rede não encontrada." - - Redes Wi-Fi disponíveis - Rede Wi-Fi disponível + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available - - Redes Wi-Fi abertas disponíveis - Rede Wi-Fi aberta disponível + + + Open Wi-Fi network available + Open Wi-Fi networks available - "Ligar à rede Wi-Fi aberta" - "Estabelecer ligação à rede Wi‑Fi do operador" - "A ligar à rede Wi-Fi…" - "Ligado à rede Wi-Fi" - "Não foi possível ligar à rede Wi-Fi" - "Toque para ver todas as redes" - "Ligar" - "Todas as redes" - "Pretende permitir redes Wi-Fi sugeridas?" - "Redes sugeridas por %s. O dispositivo pode estabelecer ligação automaticamente." - "Permitir" - "Não, obrigado" - "O Wi‑Fi será ativado automaticamente" - "Quando estiver próximo de uma rede de alta qualidade guardada." - "Não reativar" - "Wi‑Fi ativado automaticamente" - "Está perto de uma rede guardada: %1$s." - "Iniciar sessão na rede Wi-Fi" - "Início de sessão na rede" - - - "%1$s não tem acesso à Internet" - "Toque para obter mais opções" - "Ligado" - "%1$s tem conetividade limitada." - "Toque para ligar mesmo assim." - "Alterações às definições de zona Wi-Fi" - "A banda da sua zona Wi-Fi foi alterada." - "Este dispositivo não suporta a sua preferência apenas para 5 GHz. Em alternativa, este dispositivo vai utilizar a banda de 5 GHz quando estiver disponível." - "Mudou para %1$s" - "O dispositivo utiliza %1$s quando %2$s não tem acesso à Internet. Podem aplicar-se custos." - "Mudou de %1$s para %2$s" - - "dados móveis" - "Wi-Fi" - "Bluetooth" - "Ethernet" - "VPN" - - "um tipo de rede desconhecido" - "Não foi possível ligar a Wi-Fi" - " tem uma ligação à internet fraca." - "Permitir ligação?" - "A aplicação %1$s pretende estabelecer ligação à rede Wi-Fi %2$s" - "Uma aplicação" - "Wi-Fi Direct" - "Iniciar o Wi-Fi Direct. Esta opção desativará o cliente/zona Wi-Fi." - "Não foi possível iniciar o Wi-Fi Direct." - "O Wi-Fi Direct está ativado" - "Toque para aceder às definições" - "Aceitar" - "Recusar" - "Convite enviado" - "Convite para se ligar" - "De:" - "Para:" - "Introduza o PIN solicitado:" - "PIN:" - "O tablet sera temporariamente desligado da rede Wi-Fi enquanto estiver ligado a %1$s" - "A TV irá desligar-se temporariamente do Wi-Fi enquanto estiver ligada a %1$s" - "O telemóvel irá desligar-se temporariamente da rede Wi-Fi enquanto está ligado a %1$s" - "Introduzir carácter" - "A enviar mensagens SMS" - "<b>%1$s</b> está a enviar um grande número de mensagens SMS. Pretende autorizar que a aplicação continue a enviar mensagens?" - "Permitir" - "Recusar" - "<b>%1$s</b> gostaria de enviar uma mensagem para <b>%2$s</b>." - "Isto ""pode resultar em custos"" para a sua conta de dispositivo móvel." - "Isto resultará em custos para a sua conta de dispositivo móvel." - "Enviar" - "Cancelar" - "Memorizar a minha escolha" - "Pode alterar mais tarde em Definições > Aplicações" - "Permitir Sempre" - "Nunca Permitir" - "Cartão SIM removido" - "A rede de telemóvel estará indisponível até que reinicie o aparelho com um cartão SIM válido inserido." - "Concluído" - "Cartão SIM adicionado" - "Reinicie o aparelho para aceder à rede de telemóvel." - "Reiniciar" - "Ativar o serviço móvel" - "Transfira a aplicação do operador para ativar o seu novo SIM." - "Transfira a aplicação %1$s para ativar o novo SIM." - "Transferir aplicação" - "Novo SIM inserido" - "Toque para configurar" - "Definir hora" - "Definir data" - "Definir" - "Concluído" - "NOVA: " - "Fornecido por %1$s." - "Não são necessárias permissões" - "isto poderá estar sujeito a custos" - "OK" - "O dispositivo está a carregar por USB" - "A carregar o dispositivo ligado por USB" - "A transferência de ficheiros por USB está ativada" - "O PTP por USB está ativado" - "A ligação USB via telemóvel está ativada" - "O MIDI através de USB está ativado" - "Acessório USB ligado" - "Toque para obter mais opções." - "A carregar o dispositivo ligado. Toque para obter mais opções." - "Acessório de áudio analógico detetado" - "O dispositivo ligado não é compatível com este telemóvel. Toque para saber mais." - "Depuração USB ligada" - "Toque para desativar a depuração USB" - "Selecione para desativar a depuração por USB." - "Modo de estrutura de teste ativado" - "Efetue uma reposição de dados de fábrica para desativar o Modo de estrutura de teste." - "Líquido ou resíduos na porta USB" - "A porta USB é automaticamente desativada. Toque para saber mais." - "É seguro utilizar a porta USB" - "O telemóvel já não deteta líquidos nem resíduos." - "A criar relatório de erro…" - "Pretende partilhar o relatório de erro?" - "A partilhar relatório de erro…" - "O seu gestor solicitou um relatório de erro para ajudar na resolução de problemas deste dispositivo. As aplicações e os dados podem ser partilhados." - "PARTILHAR" - "RECUSAR" - "Escolher o método de entrada" - "Manter no ecrã enquanto o teclado físico estiver ativo" - "Mostrar o teclado virtual" - "Configurar teclado físico" - "Toque para selecionar o idioma e o esquema" - " ABCDEFGHIJKLMNOPQRSTUVWXYZ" - " 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ" - "Sobrepor a outras aplicações" - "A aplicação %s sobrepõe-se a outras aplicações" - "O %s sobrepõe-se a outras app" - "Se não pretende que a aplicação %s utilize esta funcionalidade, toque para abrir as definições e desative-a." - "Desligar" - "A verificar o %s…" - "A rever o conteúdo atual…" - "Novo %s." - "Toque para configurar." - "Transf. fotos, conteúdos multimédia." - "Ocorreu um problema com o %s" - "Toque para corrigir." - "O(a) %s está danificado(a). Selecione para corrigir." - "%s não suportado" - "Este dispositivo não é compatível com este %s. Toque para o configurar num formato compatível." - "Este dispositivo não é compatível com este(a) %s. Selecione para configurar num formato compatível." - "%s foi removido inesperadamente" - "Ejete o armazenamento multimédia antes de o remover para evitar a perda de conteúdos." - "%s removido" - "Algumas funcionalidades podem não funcionar corretamente. Insira um novo dispositivo de armazenamento." - "A ejetar %s…" - "Não remova." - "Configurar" - "Ejetar" - "Explorar" - "Saída do interruptor" - "%s em falta" - "Volte a inserir o dispositivo." - "A mover %s" - "A mover dados" - "Transf. de conteúdo concluída" - "Conteúdo movido para o %s" - "Não é possível mover o conteúdo" - "Experimente mover novamente o conteúdo" - "Removido" - "Ejetado" - "A verificar…" - "Pronto" - "Só de leitura" - "Removido de forma não segura" - "Danificado" - "Incompatível" - "A ejetar…" - "A formatar..." - "Não inserido" - "Não foi encontrada nenhuma atividade correspondente." - "encaminhar saída de som multimédia" - "Permite que a aplicação encaminhe a saída de som multimédia para outros dispositivos externos." - "ler sessões de instalação" - "Permite que uma aplicação leia sessões de instalação. Isto permite que veja detalhes acerca de instalações de pacotes ativas." - "solicitar pacotes de instalação" - "Permite que uma aplicação solicite a instalação de pacotes." - "solicitar eliminação de pacotes" - "Permite que uma aplicação solicite a eliminação de pacotes." - "pedir para ignorar as otimizações da bateria" - "Permite que uma aplicação solicite autorização para ignorar as otimizações da bateria para a mesma." - "Tocar duas vezes para controlar o zoom" - "Não foi possível adicionar widget." - "Ir" - "Pesquisar" - "Enviar" - "Seguinte" - "Concluído" - "Ant" - "Executar" - "Marcar número\nutilizando %s" - "Criar contacto\nutilizando %s" - "Uma ou várias das aplicações seguintes solicitam permissão para aceder à sua conta, agora e no futuro." - "Pretende autorizar este pedido?" - "Pedido de acesso" - "Permitir" - "Recusar" - "Permissão solicitada" - "Permissão solicitada\npara a conta %s." - "Está a utilizar esta aplicação fora do seu perfil de trabalho" - "Está a utilizar esta aplicação no seu perfil de trabalho" - "Método de entrada" - "Sincronização" - "Acessibilidade" - "Imagem de fundo" - "Alterar imagem de fundo" - "Serviço de escuta de notificações" - "Serviço de escuta de RV" - "Fornecedor de condição" - "Serviço de classificação de notificações" - "VPN ativada" - "A VPN foi ativada pelo %s" - "Toque para gerir a rede." - "Ligado a %s. Toque para gerir a rede." - "A ligar VPN sempre ativa..." - "VPN sempre ativa ligada" - "Desligado da VPN sempre ativada" - "Não é possível estabelecer ligação à VPN sempre ativada" - "Alterar as notificações da rede ou da VPN" - "Escolher ficheiro" - "Não foi selecionado nenhum ficheiro" - "Repor" - "Enviar" - "A aplicação de condução está em execução." - "Toque para sair da aplicação de condução." - "Ligação ponto a ponto ou hotspot activos" - "Toque para configurar." - "A ligação (à Internet) via telemóvel está desativada." - "Contacte o gestor para obter detalhes." - "Anterior" - "Seguinte" - "Ignorar" - "Sem correspondências" - "Localizar na página" - - %d de %d - 1 correspondência + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d - "Concluído" - "A apagar o armazenamento partilhado…" - "Partilhar" - "Localizar" - "Pesquisar na Web" - "Localizar seguinte" - "Localizar anterior" - "Pedido de localização de %s" - "Pedido de localização" - "Pedido por %1$s (%2$s)" - "Sim" - "Não" - "Limite de eliminações excedido" - "Há %1$d itens eliminados de %2$s, conta %3$s. O que pretende fazer?" - "Eliminar os itens" - "Anular as eliminações" - "Não fazer nada por agora" - "Selecione uma conta" - "Adicionar uma conta" - "Adicionar conta" - "Aumentar" - "Diminuir" - "Toque sem soltar em %s." - "Deslizar para cima para aumentar e para baixo para diminuir." - "Aumentar minutos" - "Diminuir minutos" - "Aumentar horas" - "Diminuir hora" - "Definir PM" - "Definir AM" - "Aumentar mês" - "Diminuir mês" - "Aumentar o dia" - "Diminuir dia" - "Aumentar ano" - "Diminuir ano" - "Mês anterior" - "Mês seguinte" - "Alt" - "Cancelar" - "Delete" - "Concluído" - "Alteração do modo" - "Shift" - "Enter" - "Escolher uma aplicação" - "Não foi possível iniciar %s" - "Partilhar com:" - "Compartilhar com %s" - "Barra deslizante. Toque & não solte." - "Deslizar rapidamente para desbloquear." - "Navegar para página inicial" - "Navegar para cima" - "Mais opções" - "%1$s, %2$s" - "%1$s, %2$s, %3$s" - "Armazen. interno partilhado" - "Cartão SD" - "Cartão SD %s" - "Unidade USB" - "Unidade USB %s" - "Armazenamento USB" - "Editar" - "Aviso de dados" - "Utilizou %s de dados." - "Limite de dados móveis atingido" - "Limite de dados Wi-Fi atingido" - "Dados em pausa no resto do ciclo." - "Acima do limite de dados móveis" - "Acima do limite de dados Wi-Fi" - "Ultrapassou em %s o limite definido." - "Dados em seg. plano restringidos" - "Toque para remover a restrição." - "Utilização elevada de dados móveis" - "As suas aplicações utilizaram mais dados do que o habitual." - "A aplicação %s utilizou mais dados do que o habitual." - "Certificado de segurança" - "Este certificado é válido." - "Emitido para:" - "Nome comum:" - "Organização:" - "Unidade organizacional:" - "Emitido por:" - "Validade:" - "Emitido em:" - "Expira em:" - "Número de série:" - "Impressões digitais:" - "Impressão digital SHA-256:" - "Impressão digital SHA-1:" - "Ver tudo" - "Escolher atividade" - "Partilhar com" - "A enviar..." - "Iniciar Navegador?" - "Aceitar chamada?" - "Sempre" - "Definir como abrir sempre" - "Apenas uma vez" - "Definições" - "%1$s não suporta o perfil de trabalho" - "Tablet" - "TV" - "Telemóvel" - "Altif. estação ancoragem" - "HDMI" - "Auscultadores" - "USB" - "Sistema" - "Áudio Bluetooth" - "Visualização sem fios" - "Transmitir" - "Ligar ao dispositivo" - "Transmitir ecrã para o dispositivo" - "A pesquisar dispositivos…" - "Definições" - "Desligar" - "A procurar..." - "A ligar..." - "Disponível" - "Não disponível" - "Em utilização" - "Ecrã Integrado" - "Ecrã HDMI" - "Sobreposição #%1$d" - "%1$s: %2$dx%3$d, %4$d ppp" - ", protegido" - "Esqueceu-se da Sequência" - "Padrão Incorreto" - "Palavra-passe Incorreta" - "PIN Incorreto" - - Tente novamente dentro de %d segundos. - Tente novamente dentro de 1 segundo. + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. - "Desenhe a sua sequência" - "Introduzir PIN do cartão SIM" - "Introduzir PIN" - "Introduzir Palavra-passe" - "O SIM está agora desativado. Introduza o código PUK para continuar. Contacte o operador para obter detalhes." - "Introduza o código PIN pretendido" - "Confirme o código PIN pretendido" - "A desbloquear cartão SIM..." - "Código PIN incorreto." - "Introduza um PIN entre 4 e 8 números." - "O código PUK deve ter 8 números." - "Volte a introduzir o código PUK correto. Demasiadas tentativas consecutivas irão desativar permanentemente o SIM." - "Os códigos PIN não correspondem" - "Demasiadas tentativas para desenhar sequência" - "Para desbloquear, inicie sessão com a sua Conta do Google." - "Nome de utilizador (email)" - "Palavra-passe" - "Iniciar sessão" - "Nome de utilizador ou palavra-passe inválidos." - "Esqueceu-se do nome de utilizador ou da palavra-passe?\nAceda a ""google.com/accounts/recovery""." - "A verificar a conta…" - "Escreveu o PIN incorretamente %1$d vezes. \n\nTente novamente dentro de %2$d segundos." - "Escreveu a palavra-passe incorretamente %1$d vezes. \n\nTente novamente dentro de %2$d segundos." - "Desenhou a sua padrão de desbloqueio incorretamente %1$d vezes. \n\nTente novamente dentro de %2$d segundos." - "Tentou desbloquear o tablet %1$d vezes de forma incorreta. Depois de mais %2$d tentativas sem êxito, as definições de origem do telemóvel serão repostas e todos os dados do utilizador serão perdidos." - "O utilizador tentou desbloquear incorretamente a TV %1$d vezes. Após mais %2$d tentativas sem êxito, a TV é reposta para as predefinições de fábrica e todos os dados do utilizador são perdidos." - "Tentou desbloquear o telemóvel %1$d vezes de forma incorreta. Depois de mais %2$d tentativas sem êxito, as definições de origem do telemóvel serão repostas e todos os dados do utilizador serão perdidos." - "Tentou desbloquear o tablet %d vezes de forma incorreta, pelo que será reposta a predefinição de fábrica." - "O utilizador tentou desbloquear incorretamente a TV %d vezes. A TV será agora reposta para as predefinições de fábrica." - "Tentou desbloquear o telemóvel %d vezes de forma incorreta, pelo que será reposta a predefinição de fábrica." - "Desenhou o padrão de desbloqueio incorretamente %1$d vezes. Depois de mais %2$d tentativas sem sucesso, ser-lhe-á pedido para desbloquear o tablet através de uma conta de email.\n\n Tente novamente dentro de %3$d segundos." - "O utilizador desenhou incorretamente a sua padrão de desbloqueio %1$d vezes. Após mais %2$d tentativas sem êxito, é-lhe pedido que desbloqueie a sua TV através de uma conta de email.\n\n Tente novamente dentro de %3$d segundos." - "Desenhou o padrão de desbloqueio incorretamente %1$d vezes. Depois de mais %2$d tentativas sem sucesso, ser-lhe-á pedido para desbloquear o telemóvel através de uma conta de email.\n\n Tente novamente dentro de %3$d segundos." - " - " - "Remover" - "Aumentar o volume acima do nível recomendado?\n\nOuvir com um volume elevado durante longos períodos poderá ser prejudicial para a sua audição." - "Pretende utilizar o atalho de acessibilidade?" - "Quando o atalho está ativado, premir ambos os botões de volume durante 3 segundos inicia uma funcionalidade de acessibilidade.\n\n Funcionalidade de acessibilidade atual:\n %1$s\n\n Pode alterar a funcionalidade em Definições > Acessibilidade." - "Desativar atalho" - "Utilizar atalho" - "Inversão de cores" - "Correção da cor" - "O Atalho de acessibilidade ativou o serviço %1$s" - "O Atalho de acessibilidade desativou o serviço %1$s" - "Prima sem soltar as teclas de volume durante três segundos para utilizar o serviço %1$s." - "Escolha o serviço a utilizar quando tocar no botão de acessibilidade:" - "Escolha o serviço a utilizar com o gesto de acessibilidade (deslize rapidamente com dois dedos para cima a partir da parte inferior do ecrã):" - "Escolha o serviço a utilizar com o gesto de acessibilidade (deslize rapidamente com três dedos para cima a partir da parte inferior do ecrã):" - "Para alternar entre serviços, toque sem soltar no botão de acessibilidade." - "Para alternar entre serviços, deslize rapidamente com dois dedos para cima sem soltar." - "Para alternar entre serviços, deslize rapidamente com três dedos para cima sem soltar." - "Ampliação" - "%1$s do utilizador atual." - "A mudar para %1$s…" - "A terminar a sessão de %1$s…" - "Proprietário" - "Erro" - "O gestor não permite esta alteração" - "Não foram encontradas aplicações para executar esta ação" - "Revogar" - "ISO A0" - "ISO A1" - "ISO A2" - "ISO A3" - "ISO A4" - "ISO A5" - "ISO A6" - "ISO A7" - "ISO A8" - "ISO A9" - "ISO A10" - "ISO B0" - "ISO B1" - "ISO B2" - "ISO B3" - "ISO B4" - "ISO B5" - "ISO B6" - "ISO B7" - "ISO B8" - "ISO B9" - "ISO B10" - "ISO C0" - "ISO C1" - "ISO C2" - "ISO C3" - "ISO C4" - "ISO C5" - "ISO C6" - "ISO C7" - "ISO C8" - "ISO C9" - "ISO C10" - "Letter" - "Government Letter" - "Legal" - "Junior Legal" - "Ledger" - "Tabloid" - "Index Card 3x5" - "Index Card 4x6" - "Index Card 5x8" - "Monarch" - "Quarto" - "Foolscap" - "ROC 8K" - "ROC 16K" - "PRC 1" - "PRC 2" - "PRC 3" - "PRC 4" - "PRC 5" - "PRC 6" - "PRC 7" - "PRC 8" - "PRC 9" - "PRC 10" - "PRC 16K" - "Pa Kai" - "Dai Pa Kai" - "Jurro Ku Kai" - "JIS B10" - "JIS B9" - "JIS B8" - "JIS B7" - "JIS B6" - "JIS B5" - "JIS B4" - "JIS B3" - "JIS B2" - "JIS B1" - "JIS B0" - "JIS Exec" - "Chou4" - "Chou3" - "Chou2" - "Hagaki" - "Oufuku" - "Kahu" - "Kaku2" - "You4" - "Vertical desconhecido" - "Horizontal desconhecido" - "Cancelada" - "Erro ao escrever conteúdo" - "desconhecido" - "Serviço de impressão não ativado" - "Serviço %s instalado" - "Toque para ativar" - "Introduzir o PIN do gestor" - "Introduzir PIN" - "Incorreto" - "PIN Atual" - "Novo PIN" - "Confirme o novo PIN" - "Crie um PIN para modificar as restrições" - "Os PINs não correspondem. Tente novamente." - "O PIN é demasiado pequeno. Deve ter, no mínimo, 4 dígitos." - - Tente novamente dentro de %d segundos - Tente novamente dentro de 1 segundo + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds - "Tente novamente mais tarde" - "Visualização de ecrã inteiro" - "Para sair, deslize rapidamente para baixo a partir da parte superior." - "OK" - "Concluído" - "Controlo de deslize circular das horas" - "Controlo de deslize circular dos minutos" - "Selecionar horas" - "Selecionar minutos" - "Selecionar mês e dia" - "Selecionar ano" - "%1$s eliminado" - "%1$s de trabalho" - "2.º %1$s de trabalho" - "3.º %1$s de trabalho" - "Pedir PIN antes de soltar" - "Pedir padrão de desbloqueio antes de soltar" - "Pedir palavra-passe antes de soltar" - "Instalado pelo seu gestor" - "Atualizado pelo seu gestor" - "Eliminado pelo seu gestor" - "OK" - "Para prolongar a autonomia da bateria, a Poupança de bateria:\n·Ativa o tema escuro.\n·Desativa ou restringe a atividade em segundo plano, alguns efeitos visuais e outras funcionalidades como \"Ok Google\".\n\n""Saber mais" - "Para prolongar a autonomia da bateria, a Poupança de bateria:\n·Ativa o tema escuro.\n·Desativa ou restringe a atividade em segundo plano, alguns efeitos visuais e outras funcionalidades como \"Ok Google\"." - "Para ajudar a reduzir a utilização de dados, a Poupança de dados impede que algumas aplicações enviem ou recebam dados em segundo plano. Uma determinada aplicação que esteja a utilizar atualmente pode aceder aos dados, mas é possível que o faça com menos frequência. Isto pode significar, por exemplo, que as imagens não são apresentadas até que toque nas mesmas." - "Ativar a Poupança de dados?" - "Ativar" - - Durante %1$d minutos (até à(s) %2$s) - Durante um minuto (até à(s) %2$s) + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) - - Durante %1$d min (até à(s) %2$s) - Durante 1 min (até à(s) %2$s) + + + For 1 min (until %2$s) + For %1$d min (until %2$s) - - Durante %1$d horas (até à(s) %2$s) - Durante 1 hora (até à(s) %2$s) + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) - - Durante %1$d h (até à(s) %2$s) - Durante 1 h (até à(s) %2$s) + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) - - Durante %d minutos - Durante um minuto + + + For one minute + For %d minutes - - Durante %d min - Durante 1 min + + + For 1 min + For %d min - - Durante %d horas - Durante 1 hora + + + For 1 hour + For %d hours - - Durante %d h - Durante 1 h + + + For 1 hr + For %d hr - "Até às %1$s" - "Até %1$s (próximo alarme)" - "Até ser desativado" - "Até desativar Não incomodar" - "%1$s/%2$s" - "Reduzir" - "Não incomodar" - "Período de inatividade" - "Dias da semana à noite" - "Fim de semana" - "Evento" - "A dormir" - "%1$s está a desativar alguns sons." - "Existe um problema interno no seu dispositivo e pode ficar instável até efetuar uma reposição de dados de fábrica." - "Existe um problema interno no seu dispositivo. Contacte o fabricante para obter mais informações." - "O pedido USSD foi alterado para uma chamada normal." - "O pedido USSD foi alterado para um pedido SS." - "Foi alterado para um novo pedido USSD." - "O pedido USSD foi alterado para uma videochamada." - "O pedido SS foi alterado para uma chamada normal." - "O pedido SS foi alterado para uma videochamada." - "O pedido SS foi alterado para um novo pedido USSD." - "Foi alterado para um novo pedido SS." - "Perfil de trabalho" - "Alertado" - "Expandir" - "Reduzir" - "ativar/desativar expansão" - "Porta periférica USB para Android" - "Android" - "Porta periférica USB" - "Mais opções" - "Fechar excesso" - "Maximizar" - "Fechar" - "%1$s: %2$s" - - %1$d selecionados - %1$d selecionado + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected - "Sem categoria" - "Definiu a importância destas notificações." - "É importante devido às pessoas envolvidas." - "Pretende permitir que a aplicação %1$s crie um novo utilizador com a conta %2$s (já existe um utilizador com esta conta)?" - "Pretende permitir que a aplicação %1$s crie um novo utilizador com a conta %2$s?" - "Adicionar um idioma" - "Preferência de região" - "Intr. nome do idioma" - "Sugeridos" - "Todos os idiomas" - "Todas as regiões" - "Pesquisa" - "A aplicação não está disponível" - "A aplicação %1$s não está disponível neste momento. A aplicação %2$s gere esta definição." - "Saiba mais" - "Ativar o perfil de trabalho?" - "As aplicações de trabalho, as notificações, os dados e outras funcionalidades do perfil de trabalho serão desativados" - "Ativar" - "Esta aplicação foi concebida para uma versão mais antiga do Android e pode não funcionar corretamente. Experimente verificar se existem atualizações ou contacte o programador." - "Verificar se existem atualizações" - "Tem mensagens novas" - "Abra a aplicação de SMS para ver" - "Algumas funcionalidades limitadas" - "Perfil de trabalho bloqueado" - "Toque p/ desb. perfil trabalho" - "Ligado a %1$s" - "Tocar para ver ficheiros" - "Fixar" - "Soltar" - "Info. da aplicação" - "-%1$s" - "A iniciar a demonstração…" - "A repor o dispositivo…" - "%1$s desativado" - "Conferência" - "Sugestão" - "Jogos" - "Música e áudio" - "Filmes e vídeo" - "Fotos e imagens" - "Social e comunicação" - "Notícias e revistas" - "Mapas e navegação" - "Produtividade" - "Armazenamento do dispositivo" - "Depuração USB" - "hora" - "minuto" - "Definir hora" - "Introduza uma hora válida" - "Introduza a hora" - "Mude para o modo de introdução de texto para a introdução da hora." - "Mude para o modo de relógio para a introdução da hora." - "Opções de preenchimento automático" - "Guardar para o Preenchimento automático" - "Não é possível preencher automaticamente o conteúdo" - "Sem sugestões do preenchimento automático" - - %1$s sugestões do preenchimento automático - Uma sugestão do preenchimento automático + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions - "Pretende guardar em ""%1$s""?" - "Pretende guardar %1$s em ""%2$s""?" - "Pretende guardar %1$s e %2$s em ""%3$s""?" - "Pretende guardar %1$s, %2$s e %3$s em ""%4$s""?" - "Pretende atualizar em ""%1$s""?" - "Pretende atualizar %1$s em ""%2$s""?" - "Pretende atualizar %1$s e %2$s em ""%3$s""?" - "Pretende atualizar estes itens em ""%4$s"": %1$s, %2$s e %3$s?" - "Guardar" - "Não, obrigado" - "Atualizar" - "palavra-passe" - "endereço" - "cartão de crédito" - "nome de utilizador" - "endereço de email" - "Mantenha a calma e procure abrigo nas proximidades." - "Abandone imediatamente regiões costeiras e zonas ribeirinhas em direção a um local mais seguro, como um terreno elevado." - "Mantenha a calma e procure abrigo nas proximidades." - "Teste de mensagens de emergência" - "Responder" - - "SIM não permitido para voz" - "SIM não aprovisionado para voz" - "SIM não permitido para voz" - "Telemóvel não permitido para voz" - "SIM %d não autorizado" - "SIM %d não fornecido" - "SIM %d não autorizado" - "SIM %d não autorizado" - "Janela pop-up" - "+ %1$d" - "A aplicação foi alterada para a versão anterior ou não é compatível com este atalho." - "Não foi possível restaurar o atalho porque a aplicação não é compatível com a funcionalidade de cópia de segurança e restauro." - "Não foi possível restaurar o atalho devido a uma falha de correspondência entre as assinaturas das aplicações." - "Não foi possível restaurar o atalho." - "O atalho está desativado." - "DESINSTALAR" - "ABRIR MESMO ASSIM" - "Aplicação prejudicial detetada" - "A aplicação %1$s pretende mostrar partes da aplicação %2$s." - "Editar" - "As chamadas e as notificações vibram." - "É desativado o som das chamadas e das notificações." - "Alterações ao sistema" - "Não incomodar" - "Novo: o modo Não incomodar está a ocultar as notificações" - "Toque para saber mais e alterar." - "O modo Não incomodar foi alterado" - "Toque para verificar o que está bloqueado." - "Sistema" - "Definições" - "Câmara" - "Microfone" - "sobrepõe-se a outras aplicações no ecrã" - "Notificação de informações do Modo rotina" - "Pode ficar sem bateria antes do carregamento habitual" - "Poupança de bateria ativada para prolongar a duração da bateria" - "Poupança de bateria" - "A Poupança de bateria não será reativada até a bateria estar novamente fraca" - "A bateria foi carregada até um nível suficiente. A Poupança de bateria não será reativada até a bateria estar novamente fraca." - "O telemóvel tem um nível de carga de %1$s" - "O tablet tem um nível de carga de %1$s" - "O dispositivo tem um nível de carga de %1$s" - "A Poupança de bateria está desativada. As funcionalidades já não estão restritas." - "A Poupança de bateria está desativada. As funcionalidades já não estão restritas." - "Pasta" - "Aplicação para Android" - "Ficheiro" - "Ficheiro %1$s" - "Áudio" - "Áudio %1$s" - "Vídeo" - "Vídeo %1$s" - "Imagem" - "Imagem %1$s" - "Arquivo" - "Arquivo %1$s" - "Documento" - "Documento %1$s" - "Folha de cálculo" - "Folha de cálculo %1$s" - "Apresentação" - "Apresentação %1$s" - "A carregar…" - - %s + %d ficheiros - %s + %d ficheiro + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files - "A partilha direta não está disponível." - "Lista de aplicações" + + Direct share not available + + Apps list diff --git a/core/res/res/values-ro-rRO/du_strings.xml b/core/res/res/values-ro-rRO/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-ro-rRO/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-ro-rRO/strings.xml b/core/res/res/values-ro-rRO/strings.xml new file mode 100644 index 0000000000000..7b5b0668d5f08 --- /dev/null +++ b/core/res/res/values-ro-rRO/strings.xml @@ -0,0 +1,4616 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + + + + %dh + %dh + %dh + + + + %dd + %dd + %dd + + + + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + + + + in %d year + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-ru-rRU/du_strings.xml b/core/res/res/values-ru-rRU/du_strings.xml new file mode 100644 index 0000000000000..e30355c757ded --- /dev/null +++ b/core/res/res/values-ru-rRU/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Перезагрузка + Перезагрузка системы + + Подделка подписи пакета + + Позволяет приложению притворяться другим приложением. Вредоносные приложения могут использовать его для доступа к личным данным приложений. Предоставляйте это разрешение только с осторожностью! + + Подделка подписи пакета + + Разрешить подделку подписи пакета + + Разрешить + <b>%1$s</b> на подделывания подписи пакета? + + Скопировать URL-адрес журнала сбоев + URL-адрес скопирован успешно + Произошла ошибка при загрузке журнала в dogbin + + Игровой режим + Включён игровой режим + Нажмите, чтобы выключить игровой режим + Включен игровой режим + Выключен игровой режим + + ADB по сети включён + + ADB через USB & сеть включены + + Нажмите, чтобы отключить отладку. + + Нажмите и зажмите кнопку питания, чтобы разблокировать + diff --git a/core/res/res/values-ru-rRU/strings.xml b/core/res/res/values-ru-rRU/strings.xml new file mode 100644 index 0000000000000..e8beb0dab96e0 --- /dev/null +++ b/core/res/res/values-ru-rRU/strings.xml @@ -0,0 +1,4652 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + in %d days + + + + in %d year + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-sr-rSP/du_strings.xml b/core/res/res/values-sr-rSP/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-sr-rSP/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-sr-rSP/strings.xml b/core/res/res/values-sr-rSP/strings.xml new file mode 100644 index 0000000000000..7b5b0668d5f08 --- /dev/null +++ b/core/res/res/values-sr-rSP/strings.xml @@ -0,0 +1,4616 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + + + + %dh + %dh + %dh + + + + %dd + %dd + %dd + + + + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + + + + in %d year + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-sv-rSE/du_strings.xml b/core/res/res/values-sv-rSE/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-sv-rSE/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-sv-rSE/strings.xml b/core/res/res/values-sv-rSE/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-sv-rSE/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-tr-rTR/du_strings.xml b/core/res/res/values-tr-rTR/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-tr-rTR/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-tr-rTR/strings.xml b/core/res/res/values-tr-rTR/strings.xml new file mode 100644 index 0000000000000..cdb36a800b3c4 --- /dev/null +++ b/core/res/res/values-tr-rTR/strings.xml @@ -0,0 +1,4580 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + + + + %dh + %dh + + + + %dd + %dd + + + + %dy + %dy + + + + in %dm + in %dm + + + + in %dh + in %dh + + + + in %dd + in %dd + + + + in %dy + in %dy + + + + %d minute ago + %d minutes ago + + + + %d hour ago + %d hours ago + + + + %d day ago + %d days ago + + + + %d year ago + %d years ago + + + + in %d minute + in %d minutes + + + + in %d hour + in %d hours + + + + in %d day + in %d days + + + + in %d year + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + + + + For 1 min + For %d min + + + + For 1 hour + For %d hours + + + + For 1 hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-uk-rUA/du_strings.xml b/core/res/res/values-uk-rUA/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-uk-rUA/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-uk-rUA/strings.xml b/core/res/res/values-uk-rUA/strings.xml new file mode 100644 index 0000000000000..e8beb0dab96e0 --- /dev/null +++ b/core/res/res/values-uk-rUA/strings.xml @@ -0,0 +1,4652 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempt before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authority installed + Certificate authorities installed + Certificate authorities installed + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d second. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d day + Last %d days + Last %d days + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + %dm + %dm + %dm + + + + %dh + %dh + %dh + %dh + + + + %dd + %dd + %dd + %dd + + + + %dy + %dy + %dy + %dy + + + + in %dm + in %dm + in %dm + in %dm + + + + in %dh + in %dh + in %dh + in %dh + + + + in %dd + in %dd + in %dd + in %dd + + + + in %dy + in %dy + in %dy + in %dy + + + + %d minute ago + %d minutes ago + %d minutes ago + %d minutes ago + + + + %d hour ago + %d hours ago + %d hours ago + %d hours ago + + + + %d day ago + %d days ago + %d days ago + %d days ago + + + + %d year ago + %d years ago + %d years ago + %d years ago + + + + in %d minute + in %d minutes + in %d minutes + in %d minutes + + + + in %d hour + in %d hours + in %d hours + in %d hours + + + + in %d day + in %d days + in %d days + in %d days + + + + in %d year + in %d years + in %d years + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi network available + Wi-Fi networks available + Wi-Fi networks available + Wi-Fi networks available + + + + Open Wi-Fi network available + Open Wi-Fi networks available + Open Wi-Fi networks available + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + 1 match + %d of %d + %d of %d + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in 1 second. + Try again in %d seconds. + Try again in %d seconds. + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in 1 second + Try again in %d seconds + Try again in %d seconds + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For one minute (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + For %1$d minutes (until %2$s) + + + + For 1 min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + For %1$d min (until %2$s) + + + + For 1 hour (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + For %1$d hours (until %2$s) + + + + For 1 hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + For %1$d hr (until %2$s) + + + + For one minute + For %d minutes + For %d minutes + For %d minutes + + + + For 1 min + For %d min + For %d min + For %d min + + + + For 1 hour + For %d hours + For %d hours + For %d hours + + + + For 1 hr + For %d hr + For %d hr + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + %1$d selected + %1$d selected + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + One autofill suggestion + %1$s autofill suggestions + %1$s autofill suggestions + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d file + %s + %d files + %s + %d files + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-vi-rVN/du_strings.xml b/core/res/res/values-vi-rVN/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-vi-rVN/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-vi-rVN/strings.xml b/core/res/res/values-vi-rVN/strings.xml new file mode 100644 index 0000000000000..9a3848fa66520 --- /dev/null +++ b/core/res/res/values-vi-rVN/strings.xml @@ -0,0 +1,4544 @@ + + + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. + + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed + + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. + + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days + + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm + + + + %dh + + + + %dd + + + + %dy + + + + in %dm + + + + in %dh + + + + in %dd + + + + in %dy + + + + %d minutes ago + + + + %d hours ago + + + + %d days ago + + + + %d years ago + + + + in %d minutes + + + + in %d hours + + + + in %d days + + + + in %d years + + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available + + + + Open Wi-Fi networks available + + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + + %d of %d + + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. + + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds + + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) + + + + For %1$d min (until %2$s) + + + + For %1$d hours (until %2$s) + + + + For %1$d hr (until %2$s) + + + + For %d minutes + + + + For %d min + + + + For %d hours + + + + For %d hr + + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected + + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions + + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files + + + Direct share not available + + Apps list + diff --git a/core/res/res/values-zh-rCN/du_strings.xml b/core/res/res/values-zh-rCN/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-zh-rCN/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-zh-rCN/strings.xml b/core/res/res/values-zh-rCN/strings.xml index aae5771e8b005..9a3848fa66520 100644 --- a/core/res/res/values-zh-rCN/strings.xml +++ b/core/res/res/values-zh-rCN/strings.xml @@ -1,5 +1,5 @@ - - - - - "B" - "kB" - "MB" - "GB" - "TB" - "PB" - "%1$s %2$s" - "<未命名>" - "(无电话号码)" - "未知" - "语音信箱" - "MSISDN1" - "出现连接问题或 MMI 码无效。" - "只能对固定拨号号码执行此类操作。" - "漫游时无法通过您的手机来更改来电转接设置。" - "已启用服务。" - "已针对以下内容启用了服务:" - "已停用服务。" - "注册成功。" - "清除成功。" - "密码不正确。" - "MMI 码已完成。" - "您输入的旧PIN码不正确。" - "您输入的PUK码不正确。" - "您输入的PIN码不一致。" - "输入一个4至8位数的PIN码。" - "请输入至少8位数字的PUK码。" - "您的 SIM 卡已用 PUK 码锁定。请输入 PUK 码将其解锁。" - "输入 PUK2 码以解锁 SIM 卡。" - "失败,请开启 SIM/RUIM 卡锁定设置。" - - 您还可尝试 %d 次。如果仍不正确,SIM 卡将被锁定。 - 您还可尝试 %d 次。如果仍不正确,SIM 卡将被锁定。 +--> + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. - "IMEI" - "MEID" - "来电显示" - "本机号码" - "连接的线路ID" - "连接的线路ID限制" - "来电转接" - "来电等待" - "通话限制" - "密码更改" - "PIN码更改" - "显示号码" - "来电显示受限制" - "三方通话" - "拒绝不想接听的骚扰电话" - "主叫号码传送" - "勿扰" - "默认不显示本机号码,在下一次通话中也不显示" - "默认不显示本机号码,但在下一次通话中显示" - "默认显示本机号码,但在下一次通话中不显示" - "默认显示本机号码,在下一次通话中也显示" - "未提供服务。" - "您无法更改来电显示设置。" - "无法使用移动数据服务" - "无法使用紧急呼救服务" - "无法使用语音通话服务" - "无法使用语音服务或紧急呼救服务" - "已由运营商暂时关闭" - "SIM 卡 %d 已由运营商暂时关闭" - "无法连接到移动网络" - "请尝试更改首选网络。点按即可更改。" - "无法使用紧急呼救服务" - "无法通过 WLAN 拨打紧急呼救电话" - "提醒" - "来电转接" - "紧急回拨模式" - "移动数据状态" - "短信" - "语音邮件" - "WLAN 通话" - "SIM 卡状态" - "高优先顺序 SIM 卡状态" - "对方请求使用“TTY 完整”模式" - "对方请求使用“TTY HCO”模式" - "对方请求使用“TTY VCO”模式" - "对方请求使用“TTY 关闭”模式" - "语音" - "数据" - "传真" - "短信" - "异步" - "同步" - "包" - "PAD" - "启用漫游指示符" - "禁用漫游指示符" - "漫游指示符正在闪烁" - "不在附近" - "室外" - "漫游 - 首选系统" - "漫游 - 可用系统" - "漫游 - 联盟合作伙伴" - "漫游 - 高级合作伙伴" - "漫游 - 全部服务功能" - "漫游 - 服务功能不全" - "启用漫游横幅" - "禁用漫游横幅" - "正在搜索服务" - "无法设置 WLAN 通话" - - "要通过 WLAN 打电话和发信息,请先让您的运营商开通此服务,然后再到“设置”中重新开启 WLAN 通话功能(错误代码:%1$s)。" - - - "向您的运营商注册 WLAN 通话时遇到问题:%1$s" - - - - "%s WLAN 通话" - "%s WLAN 通话" - "WLAN 通话" - "%s WLAN 通话" - "%s WLAN" - "WLAN 通话 | %s" - "%s VoWifi" - "WLAN 通话" - "WLAN" - "WLAN 通话" - "VoWifi" - "关闭" - "通过 WLAN 进行通话" - "通过移动网络进行通话" - "仅限 WLAN" - "{0}:无法转接" - "{0}{1}" - "{0}{2}秒后{1}" - "{0}:无法转接" - "{0}:无法转接" - "功能代码已拨完。" - "出现连接问题或功能代码无效。" - "确定" - "发生了网络错误。" - "找不到该网址。" - "不支持此网站身份验证方案。" - "无法通过身份验证。" - "通过代理服务器进行身份验证失败。" - "无法连接到服务器。" - "无法与服务器进行通信,请稍后再试。" - "与服务器的连接超时。" - "该页面包含太多服务器重定向。" - "不支持该协议。" - "无法建立安全连接。" - "无法打开网页,因为该网址是无效的。" - "无法使用该文件。" - "找不到请求的文件。" - "正在处理的请求太多,请稍后重试。" - "登录 %1$s 时出错" - "同步" - "无法同步" - "尝试删除的%s数量太多。" - "平板电脑存储空间已满。请删除一些文件以腾出空间。" - "手表存储空间已满。请删除一些文件以腾出空间。" - "电视存储空间已满。请删除一些文件以腾出空间。" - "手机存储空间已满。请删除一些文件以腾出空间。" - - 已安装证书授权中心 - 已安装证书授权中心 + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed - "受到不明第三方的监控" - "由您的工作资料管理员监控" - "受到 %s 监控" - "工作资料已删除" - "工作资料管理应用缺失或损坏,因此系统已删除您的工作资料及相关数据。如需帮助,请与您的管理员联系。" - "您的工作资料已不在此设备上" - "密码尝试次数过多" - "设备为受管理设备" - "贵单位会管理该设备,且可能会监控网络流量。点按即可了解详情。" - "系统将清空您的设备" - "无法使用管理应用,系统现在将清空您的设备。\n\n如有疑问,请与您所在单位的管理员联系。" - "“%s”已停用打印功能。" - "我" - "平板电脑选项" - "电视选项" - "手机选项" - "静音模式" - "打开无线电" - "关闭无线电" - "屏幕锁定" - "关机" - "振铃器关闭" - "振铃器振动" - "振铃器开启" - "Android 系统更新" - "正在准备更新…" - "正在处理更新软件包…" - "正在重新启动…" - "恢复出厂设置" - "正在重新启动…" - "正在关机..." - "您的平板电脑会关闭。" - "您的电视即将关闭。" - "您的手表即将关机。" - "您的手机将会关机。" - "您要关机吗?" - "重新启动并进入安全模式" - "您要重新启动并进入安全模式吗?这样会停用您已安装的所有第三方应用。再次重新启动将恢复这些应用。" - "近期任务" - "最近没有运行任何应用" - "平板电脑选项" - "电视选项" - "手机选项" - "屏幕锁定" - "关机" - "紧急呼救" - "错误报告" - "结束会话" - "屏幕截图" - "错误报告" - "这会收集有关当前设备状态的信息,并以电子邮件的形式进行发送。从开始生成错误报告到准备好发送需要一点时间,请耐心等待。" - "互动式报告" - "在大多数情况下,建议您使用此选项,以便追踪报告的生成进度,输入与相应问题相关的更多详细信息,以及截取屏幕截图。系统可能会省略掉一些不常用的区段,从而缩短生成报告的时间。" - "完整报告" - "如果您的设备无响应或运行速度缓慢,或者您需要查看所有区段的报告信息,则建议您使用此选项将系统干扰程度降到最低。系统不支持您输入更多详细信息,也不会截取其他屏幕截图。" - - 系统将在 %d 秒后对错误报告进行截屏。 - 系统将在 %d 秒后对错误报告进行截屏。 + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. - "静音模式" - "声音已关闭" - "声音已开启" - "飞行模式" - "已开启飞行模式" - "未开启飞行模式" - "设置" - "助理" - "语音助理" - "锁定" - "999+" - "新通知" - "虚拟键盘" - "实体键盘" - "安全性" - "车载模式" - "帐号状态" - "开发者消息" - "更新" - "网络状态" - "网络提醒" - "有可用的网络" - "VPN 状态" - "您的 IT 管理员发来的提醒" - "提醒" - "零售演示模式" - "USB 连接" - "应用正在运行中" - "消耗电量的应用" - "%1$s正在消耗电量" - "%1$d 个应用正在消耗电量" - "点按即可详细了解电量和流量消耗情况" - "%1$s%2$s" - "安全模式" - "Android 系统" - "切换到个人资料" - "切换到工作资料" - "通讯录" - "访问您的通讯录" - "允许<b>%1$s</b>访问您的通讯录吗?" - "位置信息" - "获取此设备的位置信息" - "要允许“%1$s”获取此设备的位置信息吗?" - "只有当您使用该应用时,该应用才有权访问位置信息" - "要<b>一律允许</b>允许<b>%1$s</b>访问此设备的位置信息吗?" - "目前只有当您使用该应用时,该应用才能访问位置信息" - "日历" - "访问您的日历" - "允许<b>%1$s</b>访问您的日历吗?" - "短信" - "发送和查看短信" - "要允许<b>%1$s</b>发送和查看短信吗?" - "存储空间" - "访问您设备上的照片、媒体内容和文件" - "允许“%1$s”<b></b>访问您设备上的照片、媒体内容和文件吗?" - "麦克风" - "录制音频" - "允许<b>%1$s</b>录音吗?" - "身体活动" - "获取您的身体活动数据" - "允许<b>%1$s</b>获取您的身体活动数据吗?" - "相机" - "拍摄照片和录制视频" - "允许<b>%1$s</b>拍摄照片和录制视频吗?" - "通话记录" - "读取和写入手机通话记录" - "允许<b>%1$s</b>访问您的手机通话记录吗?" - "电话" - "拨打电话和管理通话" - "允许“<b>%1$s</b>”拨打电话和管理通话吗?" - "身体传感器" - "访问与您的生命体征相关的传感器数据" - "允许<b>%1$s</b>访问与您的生命体征相关的传感器数据吗?" - "检索窗口内容" - "检测您正访问的窗口的内容。" - "启用触摸浏览" - "设备将大声读出您点按的内容,同时您可以通过手势来浏览屏幕。" - "监测您输入的文字" - "包含个人数据,例如信用卡号和密码。" - "控制显示内容放大功能" - "控制显示内容的缩放级别和位置。" - "执行手势" - "可执行点按、滑动、双指张合等手势。" - "指纹手势" - "可以捕获在设备指纹传感器上执行的手势。" - "停用或修改状态栏" - "允许应用停用状态栏或者增删系统图标。" - "用作状态栏" - "允许以状态栏形式显示应用。" - "展开/收拢状态栏" - "允许应用展开或收起状态栏。" - "安装快捷方式" - "允许应用自行添加主屏幕快捷方式。" - "卸载快捷方式" - "允许应用自行删除主屏幕快捷方式。" - "重新设置外拨电话的路径" - "允许应用在拨出电话时查看拨打的电话号码,并选择改为拨打其他号码或完全中止通话。" - "接听来电" - "允许该应用接听来电。" - "接收讯息(短信)" - "允许该应用接收和处理短信。这就意味着,该应用可能会监视发送到您设备的短信,或删除发送到您设备的短信而不向您显示。" - "接收讯息(彩信)" - "允许该应用接收和处理彩信。这就意味着,该应用可能会监视发送到您设备的彩信,或删除发送到您设备的彩信而不向您显示。" - "读取小区广播消息" - "允许应用读取您的设备收到的小区广播消息。小区广播消息是在某些地区发送的、用于发布紧急情况警告的提醒信息。恶意应用可能会在您收到小区紧急广播时干扰您设备的性能或操作。" - "读取订阅的供稿" - "允许应用获取有关当前同步的 Feed 的详情。" - "发送短信" - "允许该应用发送短信。此权限可能会导致意外收费。恶意应用可能会未经您的确认而发送短信,由此产生相关费用。" - "读取短信" - "此应用可读取您平板电脑上存储的所有短信。" - "此应用可读取您电视上存储的所有短信。" - "此应用可读取您手机上存储的所有短信。" - "接收讯息 (WAP)" - "允许该应用接收和处理 WAP 消息。此权限包括监视发送给您的消息或删除发送给您的消息而不向您显示的功能。" - "检索正在运行的应用" - "允许该应用检索近期运行的和当前正在运行的任务的相关信息。此权限可让该应用了解设备上使用了哪些应用。" - "管理个人资料和设备所有者" - "允许应用设置个人资料所有者和设备所有者。" - "对正在运行的应用重新排序" - "允许该应用将任务移动到前台和后台。该应用可能不经您的命令自行执行此操作。" - "启用车载模式" - "允许应用启用车载模式。" - "关闭其他应用" - "允许该应用结束其他应用的后台进程。此权限可导致其他应用停止运行。" - "此应用可显示在其他应用上方" - "此应用可显示在其他应用上方或屏幕的其他部分。这可能会妨碍您正常地使用应用,且其他应用的显示方式可能会受到影响。" - "在后台运行" - "此应用可在后台运行,这样可能会加快耗电速度。" - "在后台使用数据" - "此应用可在后台使用数据,这样可能会增加流量消耗。" - "让应用始终运行" - "允许该应用在内存中持续保留其自身的某些组件。这会限制其他应用可用的内存,从而减缓平板电脑运行速度。" - "允许应用在内存中持续保留其自身的部分组件。此权限可能会限制其他应用可用的内存,从而减缓电视运行速度。" - "允许该应用在内存中持续保留其自身的某些组件。这会限制其他应用可用的内存,从而减缓手机运行速度。" - "运行前台服务" - "允许该应用使用前台服务。" - "计算应用存储空间" - "允许应用检索其代码、数据和缓存大小" - "修改系统设置" - "允许应用修改系统的设置数据。恶意应用可能会破坏您的系统配置。" - "开机启动" - "允许应用在系统完成引导后立即自动启动。这样可能会延长平板电脑的启动时间,并允许应用始终运行,从而导致平板电脑总体运行速度减慢。" - "允许应用在系统启动完毕后立即自行启动。此权限可能会延长电视的启动时间,而且会因为系统一直运行该应用而导致电视的整体运行速度变慢。" - "允许应用在系统完成引导后立即自动启动。这样可能会延长手机的启动时间,并允许应用始终运行,从而导致手机总体运行速度减慢。" - "发送持久广播" - "允许该应用发送持久广播消息,此类消息在广播结束后仍会保留。过度使用可能会导致平板电脑使用过多内存,从而降低其速度或稳定性。" - "允许应用发送持久广播消息,此类消息在广播结束后仍会保留。过度使用可能会导致电视使用过多内存,从而降低其速度或稳定性。" - "允许该应用发送持久广播消息,此类消息在广播结束后仍会保留。过度使用可能会导致手机使用过多内存,从而降低其速度或稳定性。" - "读取联系人" - "允许该应用读取您的平板电脑上存储的联系人相关数据。此权限允许应用保存您的联系人数据,而恶意应用可能会在您不知情的情况下分享联系人数据。" - "允许该应用读取您的电视上存储的联系人相关数据。此权限允许应用保存您的联系人数据,而恶意应用可能会在您不知情的情况下分享联系人数据。" - "允许该应用读取您的手机上存储的联系人相关数据。此权限允许应用保存您的联系人数据,而恶意应用可能会在您不知情的情况下分享联系人数据。" - "修改您的通讯录" - "允许该应用修改您平板电脑上存储的联系人相关数据。此权限允许应用删除联系人数据。" - "允许该应用修改您的电视上存储的联系人相关数据。此权限允许应用删除联系人数据。" - "允许该应用修改您手机上存储的联系人相关数据。此权限允许应用删除联系人数据。" - "读取通话记录" - "此应用可读取您的通话记录。" - "新建/修改/删除通话记录" - "允许该应用修改平板电脑的通话记录,包括有关来电和外拨电话的数据。恶意应用可能会借此清除或修改您的通话记录。" - "允许应用修改电视的通话记录,包括有关来电和外拨电话的数据。恶意应用可能会借此清除或修改您的通话记录。" - "允许该应用修改手机的通话记录,包括有关来电和外拨电话的数据。恶意应用可能会借此清除或修改您的通话记录。" - "访问身体传感器(如心率监测器)" - "允许该应用存取监测您身体状况的传感器所收集的数据,例如您的心率。" - "读取日历活动和详情" - "此应用可读取您平板电脑上存储的所有日历活动,并分享或保存您的日历数据。" - "此应用可读取您电视上存储的所有日历活动,并分享或保存您的日历数据。" - "此应用可读取您手机上存储的所有日历活动,并分享或保存您的日历数据。" - "添加或修改日历活动,并在所有者不知情的情况下向邀请对象发送电子邮件" - "此应用可在平板电脑上添加、移除或更改日历活动。此应用可能会以日历所有者的身份发送消息,或在不通知所有者的情况下更改活动。" - "此应用可在电视上添加、移除或更改日历活动。此应用可能会以日历所有者的身份发送消息,或在不通知所有者的情况下更改活动。" - "此应用可在手机上添加、移除或更改日历活动。此应用可能会以日历所有者的身份发送消息,或在不通知所有者的情况下更改活动。" - "获取额外的位置信息提供程序命令" - "允许该应用使用其他的位置信息提供程序命令。此权限使该应用可以干扰GPS或其他位置信息源的运作。" - "只能在前台获取精确的位置信息" - "此应用只有在前台运行时才能获取您的精确位置信息。您的手机必须支持并开启这些位置信息服务,此应用才能使用这些服务。这可能会增加耗电量。" - "只能在前台获取大概位置(基于网络)" - "此应用只能在前台根据网络来源(例如手机信号塔和 WLAN 网络)获取您的位置信息。您的平板电脑必须支持并开启这些位置信息服务,此应用才能使用这些服务。" - "此应用只能在前台根据网络来源(例如手机信号塔和 WLAN 网络)获取您的位置信息。您的电视必须支持并开启这些位置信息服务,此应用才能使用这些服务。" - "此应用只有在前台运行时才能获取您的大致位置信息。您的车载设备必须支持并开启这些位置信息服务,此应用才能使用这些服务。" - "此应用只能在前台根据网络来源(例如手机信号塔和 WLAN 网络)获取您的位置信息。您的手机必须支持并开启这些位置信息服务,此应用才能使用这些服务。" - "在后台使用位置信息" - "如果另外授予大致位置信息或精确位置信息访问权限,该应用便可在后台运行时使用位置信息。" - "更改您的音频设置" - "允许该应用修改全局音频设置,例如音量和用于输出的扬声器。" - "录音" - "此应用可随时使用麦克风进行录音。" - "向 SIM 卡发送命令" - "允许应用向SIM卡发送命令(此权限具有很高的危险性)。" - "识别身体活动" - "此应用可以识别您的身体活动。" - "拍摄照片和视频" - "此应用可随时使用相机拍摄照片和录制视频。" - "允许应用或服务接收与打开或关闭摄像头设备有关的回调。" - "此应用可在任何摄像头设备(被某些应用)打开或关闭时收到相应回调。" - "控制振动" - "允许应用控制振动器。" - "拨打电话" - "允许该应用在您未执行操作的情况下拨打电话号码。此权限可能会导致意外收费或呼叫。请注意,此权限不允许该应用拨打紧急电话号码。恶意应用可通过拨打电话产生相关费用,而无需您的确认。" - "使用即时通讯通话服务" - "允许应用自行使用即时通讯服务拨打电话。" - "读取手机状态和身份" - "允许该应用访问设备的电话功能。此权限可让该应用确定本机号码和设备 ID、是否正处于通话状态以及拨打的号码。" - "通过系统转接来电" - "允许该应用通过系统转接来电,以改善通话体验。" - "查看并控制通过系统拨打的电话。" - "允许应用查看并控制设备上正在进行的通话,其中包括通话号码和通话状态等信息。" - "继续进行来自其他应用的通话" - "允许该应用继续进行在其他应用中发起的通话。" - "读取电话号码" - "允许该应用访问设备上的电话号码。" - "使车载显示屏保持开启状态" - "阻止平板电脑进入休眠状态" - "阻止电视进入休眠状态" - "防止手机休眠" - "允许该应用使车载显示屏保持开启状态。" - "允许应用阻止平板电脑进入休眠状态。" - "允许应用阻止电视进入休眠状态。" - "允许应用阻止手机进入休眠状态。" - "发射红外线" - "允许应用使用平板电脑的红外线发射器。" - "允许应用使用电视的红外线发射器。" - "允许应用使用手机的红外线发射器。" - "设置壁纸" - "允许应用设置系统壁纸。" - "调整您的壁纸大小" - "允许应用设置有关系统壁纸大小的提示。" - "设置时区" - "允许应用更改平板电脑的时区。" - "允许应用更改电视的时区。" - "允许应用更改手机的时区。" - "查找设备上的帐号" - "允许该应用获取平板电脑已知的帐号列表,其中可能包括由已安装的应用创建的所有帐号。" - "允许应用获取电视已知的帐号列表,其中可能包括由已安装的应用创建的所有帐号。" - "允许该应用获取手机已知的帐号列表,其中可能包括由已安装的应用创建的所有帐号。" - "查看网络连接" - "允许该应用查看网络连接的相关信息,例如存在和连接的网络。" - "拥有完全的网络访问权限" - "允许该应用创建网络套接字和使用自定义网络协议。浏览器和其他某些应用提供了向互联网发送数据的途径,因此应用无需该权限即可向互联网发送数据。" - "更改网络连接性" - "允许应用更改网络连接的状态。" - "更改网络共享连接" - "允许应用更改绑定网络连接的状态。" - "查看WLAN连接" - "允许该应用查看WLAN网络的相关信息,例如是否启用了WLAN以及连接的WLAN设备的名称。" - "连接WLAN网络和断开连接" - "允许该应用与WLAN接入点建立和断开连接,以及更改WLAN网络的设备配置。" - "允许接收WLAN多播" - "允许该应用使用多播地址接收发送到WLAN网络上所有设备(而不仅仅是您的平板电脑)的数据包。该操作的耗电量比非多播模式要大。" - "允许应用使用多播地址接收发送到 WLAN 网络中所有设备(而不仅仅是您的电视)的数据包。该操作的耗电量比非多播模式要大。" - "允许该应用使用多播地址接收发送到WLAN网络上所有设备(而不仅仅是您的手机)的数据包。该操作的耗电量比非多播模式要大。" - "访问蓝牙设置" - "允许应用配置本地蓝牙平板电脑,并允许其查找远程设备且与之配对。" - "允许应用配置本地蓝牙电视,并允许其查找远程设备且与之配对。" - "允许应用配置本地蓝牙手机,并允许其查找远程设备且与之配对。" - "建立或中断 WiMAX 网络连接" - "允许该应用确定是否启用了 WiMAX 以及连接的任何 WiMAX 网络的相关信息。" - "更改 WiMAX 状态" - "允许该应用建立和断开平板电脑与 WiMAX 网络之间的连接。" - "允许应用建立和断开电视与 WiMAX 网络之间的连接。" - "允许该应用建立和断开手机与 WiMAX 网络之间的连接。" - "与蓝牙设备配对" - "允许该应用查看平板电脑上的蓝牙配置,以及与配对设备建立连接或接受其连接请求。" - "允许应用查看电视上的蓝牙配置,以及与配对设备建立连接或接受其连接请求。" - "允许该应用查看手机上的蓝牙配置,以及与配对设备建立连接或接受其连接请求。" - "控制近距离通信" - "允许应用与近距离无线通信(NFC)标签、卡和读取器通信。" - "停用屏幕锁定" - "允许该应用停用键锁以及任何关联的密码安全措施。例如,让手机在接听来电时停用键锁,在通话结束后重新启用键锁。" - "请求屏幕锁定复杂度" - "允许应用了解屏幕锁定复杂度(高、中、低或无),即屏幕锁定的可能长度范围和类型。应用还可以建议用户将屏幕锁定更新为特定复杂度,但用户可以随意选择忽略该建议并离开应用。请注意,系统不会以纯文字形式存储屏幕锁定选项的内容,因此应用不会知道确切密码。" - "使用生物特征硬件" - "允许该应用使用生物特征硬件进行身份验证" - "管理指纹硬件" - "允许该应用调用方法来添加和删除可用的指纹模板。" - "使用指纹硬件" - "允许该应用使用指纹硬件进行身份验证" - "修改您的音乐收藏" - "允许该应用修改您的音乐收藏。" - "修改您的视频收藏" - "允许该应用修改您的视频收藏。" - "修改您的照片收藏" - "允许该应用修改您的照片收藏。" - "从您的媒体收藏中读取位置信息" - "允许该应用从您的媒体收藏中读取位置信息。" - "验证您的身份" - "生物识别硬件无法使用" - "身份验证已取消" - "无法识别" - "身份验证已取消" - "未设置任何 PIN 码、图案和密码" - "仅检测到部分指纹,请重试。" - "无法处理指纹,请重试。" - "指纹传感器有脏污。请擦拭干净,然后重试。" - "手指移动太快,请重试。" - "手指移动太慢,请重试。" - - - "已验证指纹" - "面孔已验证" - "面孔已验证,请按确认按钮" - "指纹硬件无法使用。" - "无法存储指纹。请移除一个现有的指纹。" - "指纹录入操作超时,请重试。" - "指纹操作已取消。" - "用户取消了指纹操作。" - "尝试次数过多,请稍后重试。" - "尝试次数过多。指纹传感器已停用。" - "请重试。" - "未注册任何指纹。" - "此设备没有指纹传感器。" - "手指 %d" - - - "指纹图标" - "管理人脸解锁硬件" - "允许该应用调用方法来添加和删除可用的人脸模板。" - "使用人脸解锁硬件" - "允许该应用使用人脸解锁硬件进行身份验证" - "人脸解锁" - "重新注册您的面孔" - "要提升识别精确度,请重新注册您的面孔" - "无法捕获准确的人脸数据,请重试。" - "亮度过高,请尝试使用较柔和的亮度。" - "亮度不足,请尝试将光线调亮。" - "请将手机拿远一点。" - "请将手机拿近一点。" - "请将手机举高一点。" - "请将手机拿低一点。" - "请将手机向左移动。" - "请将手机向右移动。" - "请直视您的设备。" - "请将你的面部正对手机。" - "摄像头过于晃动。请将手机拿稳。" - "请重新注册您的面孔。" - "已无法识别人脸,请重试。" - "与先前的姿势太相近,请换一个姿势。" - "请将您的头稍微上下倾斜。" - "请将您的头稍微上下倾斜。" - "请将您的头稍微左右旋转。" - "请移除所有遮挡您面部的物体。" - "请将屏幕顶部(包括黑色条栏)清理干净" - - - "无法验证人脸。硬件无法使用。" - "请重新尝试人脸解锁。" - "无法存储新的人脸数据。请先删除旧的人脸数据。" - "面孔处理操作已取消。" - "用户已取消人脸解锁。" - "尝试次数过多,请稍后重试。" - "尝试次数过多,人脸解锁已停用。" - "无法验证人脸,请重试。" - "您尚未设置人脸解锁。" - "此设备不支持人脸解锁。" - "面孔 %d" - - - "面孔图标" - "读取同步设置" - "允许该应用读取某个帐号的同步设置。例如,此权限可确定“联系人”应用是否与某个帐号同步。" - "启用和停用同步" - "允许该应用修改某个帐号的同步设置。例如,此权限可用于在“联系人”应用与某个帐号之间启用同步。" - "读取同步统计信息" - "允许该应用读取某个帐号的同步统计信息,包括同步活动历史记录和同步数据量。" - "读取您共享存储空间中的内容" - "允许该应用读取您共享存储空间中的内容。" - "修改或删除您共享存储空间中的内容" - "允许该应用写入您共享存储空间中的内容。" - "拨打/接听SIP电话" - "允许该应用拨打和接听SIP电话。" - "注册新的电信 SIM 卡连接" - "允许该应用注册新的电信 SIM 卡连接。" - "注册新的电信网络连接" - "允许该应用注册新的电信网络连接。" - "管理电信网络连接" - "允许该应用管理电信网络连接。" - "与通话屏幕互动" - "允许应用控制用户看到通话屏幕的时机和方式。" - "与电话服务交互" - "允许该应用与电话服务交互以便接打电话。" - "向用户提供通话体验" - "允许应用向用户提供通话体验。" - "读取网络使用情况历史记录" - "允许应用读取特定网络和应用的网络使用情况历史记录。" - "管理网络政策" - "允许应用管理网络规范和定义专门针对应用的规则。" - "修改网络使用情况记录方式" - "允许该应用修改对于各应用的网络使用情况的统计方式。普通应用不应使用此权限。" - "访问通知" - "允许该应用检索、检查并清除通知,包括其他应用发布的通知。" - "绑定到通知侦听器服务" - "允许应用绑定到通知侦听器服务的顶级接口(普通应用绝不需要此权限)。" - "绑定到条件提供程序服务" - "允许应用绑定到条件提供程序服务的顶级接口。普通应用绝不需要此权限。" - "绑定到互动屏保服务" - "允许应用绑定到互动屏保服务的顶级接口。普通应用绝不需要此权限。" - "调用运营商提供的配置应用" - "允许应用调用运营商提供的配置应用。普通应用绝不需要此权限。" - "监听网络状况的观测信息" - "允许应用监听网络状况的观测信息。普通应用绝不需要此权限。" - "更改输入设备校准设置" - "允许应用修改触摸屏的校准参数。普通应用绝不需要此权限。" - "访问DRM证书" - "允许应用配置和使用DRM证书。普通应用绝不需要此权限。" - "接收 Android Beam 的传输状态" - "允许此应用接收Android Beam当前传输内容的相关信息" - "移除DRM证书" - "允许应用移除DRM证书。普通应用绝不需要此权限。" - "绑定到运营商消息传递服务" - "允许应用绑定到运营商消息传递服务的顶级接口。普通应用绝不需要此权限。" - "绑定到运营商服务" - "允许应用绑定到运营商服务。普通应用绝不需要此权限。" - "“勿扰”模式使用权限" - "允许此应用读取和写入“勿扰”模式配置。" - "授权使用“查看权限”" - "允许该应用开始查看应用的权限使用情况(普通应用绝不需要此权限)。" - "设置密码规则" - "控制锁屏密码和 PIN 码所允许的长度和字符。" - "监控屏幕解锁尝试次数" - "监视在解锁屏幕时输错密码的次数,如果输错次数过多,则锁定平板电脑或清除其所有数据。" - "监控在解锁屏幕时输错密码的次数,并在输错次数过多时锁定电视或清除电视上的所有数据。" - "监视在解锁屏幕时输错密码的次数,如果输错次数过多,则锁定手机或清除其所有数据。" - "监控在解锁屏幕时输错密码的次数,并在输错次数过多时锁定平板电脑或清空此用户的所有数据。" - "监控在解锁屏幕时输错密码的次数,并在输错次数过多时锁定电视或清空此用户的所有数据。" - "监控在解锁屏幕时输错密码的次数,并在输错次数过多时锁定手机或清空此用户的所有数据。" - "更改锁屏方式" - "更改锁屏方式。" - "锁定屏幕" - "控制屏幕锁定的方式和时间。" - "清除所有数据" - "恢复出厂设置时,系统会在不发出警告的情况下清除平板电脑上的数据。" - "恢复出厂设置时,不发出警告就直接清除电视上的数据。" - "恢复出厂设置时,系统会在不发出警告的情况下清除手机上的数据。" - "清空用户数据" - "清空此用户在这台平板电脑上的数据,而不事先发出警告。" - "清空此用户在这台电视上的数据,而不事先发出警告。" - "清空此用户在这部手机上的数据,而不事先发出警告。" - "设置设备全局代理" - "设置在规范启用时要使用的设备全局代理。只有设备所有者才能设置全局代理。" - "设置锁屏密码的有效期" - "调整系统强制用户更改锁屏密码、PIN 码或解锁图案的频率。" - "设置存储设备加密" - "要求对存储的应用数据进行加密。" - "停用相机" - "禁止使用所有设备摄像头。" - "停用屏幕锁定的部分功能" - "禁止使用屏幕锁定的部分功能。" - - "住宅" - "手机" - "单位" - "单位传真" - "住宅传真" - "寻呼机" - "其他" - "自定义" - - - "个人" - "工作" - "其他" - "自定义" - - - "住宅" - "单位" - "其他" - "自定义" - - - "住宅" - "工作" - "其他" - "自定义" - - - "单位" - "其他" - "自定义" - - - "AIM" - "Windows Live" - "中国雅虎" - "Skype" - "QQ" - "Google Talk" - "ICQ" - "Jabber" - - "自定义" - "住宅" - "手机" - "单位" - "单位传真" - "住宅传真" - "寻呼机" - "其他" - "回拨号码" - "车载电话" - "公司总机" - "ISDN" - "总机" - "其他传真" - "无线装置" - "电报" - "TTY TDD" - "单位手机" - "单位寻呼机" - "助理" - "彩信" - "自定义" - "生日" - "周年纪念日" - "其他" - "自定义" - "个人" - "工作" - "其他" - "手机" - "自定义" - "住宅" - "单位" - "其他" - "自定义" - "住宅" - "工作" - "其他" - "自定义" - "AIM" - "Windows Live" - "雅虎" - "Skype" - "QQ" - "环聊" - "ICQ" - "Jabber" - "NetMeeting" - "公司" - "其他" - "自定义" - "自定义" - "助理" - "兄弟" - "子女" - "同居伴侣" - "父亲" - "朋友" - "经理" - "母亲" - "父母" - "合作伙伴" - "介绍人" - "亲属" - "姐妹" - "配偶" - "自定义" - "住宅" - "单位" - "其他" - "找不到可用来查看此联系人的应用。" - "输入PIN码" - "请输入PUK码和新的PIN码" - "PUK码" - "新的PIN码" - "点按即可输入密码" - "输入密码以解锁" - "输入PIN码进行解锁" - "PIN码有误。" - "要解锁,请先按 MENU 再按 0。" - "急救或报警电话" - "没有服务" - "屏幕已锁定。" - "按 Menu 解锁或进行紧急呼救。" - "按 MENU 解锁。" - "绘制解锁图案" - "紧急呼救" - "返回通话" - "正确!" - "重试" - "重试" - "解锁即可使用所有功能和数据" - "已超过“人脸解锁”尝试次数上限" - "没有 SIM 卡" - "平板电脑中没有SIM卡。" - "电视中没有 SIM 卡。" - "手机中无SIM卡" - "请插入SIM卡" - "SIM卡缺失或无法读取。请插入SIM卡。" - "SIM卡无法使用。" - "您的SIM卡已永久停用。\n请与您的无线服务提供商联系,以便重新获取一张SIM卡。" - "上一曲" - "下一曲" - "暂停" - "播放" - "停止" - "快退" - "快进" - "只能拨打紧急呼救电话" - "网络已锁定" - "SIM 卡已用 PUK 码锁定。" - "请参阅《用户指南》或与客服人员联系。" - "SIM 卡已被锁定。" - "正在解锁 SIM 卡..." - "您已连续 %1$d 次画错解锁图案。\n\n请在 %2$d 秒后重试。" - "您已连续 %1$d 次输错密码。\n\n请在 %2$d 秒后重试。" - "您已经%1$d次输错了PIN码。\n\n请在%2$d秒后重试。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用自己的 Google 登录信息解锁平板电脑。\n\n请在 %3$d 秒后重试。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用自己的 Google 登录信息解锁电视。\n\n请在 %3$d 秒后重试。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用自己的 Google 登录信息解锁手机。\n\n请在 %3$d 秒后重试。" - "您已经 %1$d 次错误地尝试解锁平板电脑。如果再尝试 %2$d 次后仍不成功,平板电脑将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经 %1$d 次错误地尝试解锁电视。如果再尝试 %2$d 次后仍不成功,电视将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经 %1$d 次错误地尝试解锁手机。如果再尝试 %2$d 次后仍不成功,手机将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经%d次错误地尝试解锁平板电脑。平板电脑现在将恢复为出厂默认设置。" - "您已经 %d 次错误地尝试解锁电视。电视现在将恢复为出厂默认设置。" - "您已经%d次错误地尝试解锁手机。手机现在将恢复为出厂默认设置。" - "%d秒后重试。" - "忘记了图案?" - "帐号解锁" - "图案尝试次数过多" - "要解除锁定,请使用您的 Google 帐号登录。" - "用户名(电子邮件)" - "密码" - "登录" - "用户名或密码无效。" - "忘记了用户名或密码?\n请访问""google.com/accounts/recovery""。" - "正在检查..." - "解锁" - "打开声音" - "关闭声音" - "开始绘制图案" - "图案已清除" - "已添加单元格" - "已添加圆点 %1$s" - "图案绘制完成" - "图案区域。" - "%1$s。%3$d的微件%2$d。" - "添加微件。" - "空白" - "已展开解锁区域。" - "已收起解锁区域。" - "%1$s微件。" - "用户选择器" - "状态" - "相机" - "媒体控制" - "已开始将微件重新排序。" - "已完成微件重新排序。" - "已删除微件%1$s。" - "展开解锁区域。" - "滑动解锁。" - "图案解锁。" - "人脸解锁。" - "PIN码解锁。" - "SIM 卡 PIN 码解锁。" - "SIM 卡 PUK 码解锁。" - "密码解锁。" - "图案区域。" - "滑动区域。" - "?123" - "ABC" - "ALT" - "字符" - "字" - "链接" - "行" - "出厂测试失败" - "只有安装在/system/app中的软件包支持FACTORY_TEST操作。" - "找不到提供FACTORY_TEST操作的软件包。" - "重新启动" - "网址为“%s”的网页显示:" - "JavaScript" - "确认离开" - "离开此页" - "留在此页" - "%s\n\n您确定要离开此页面吗?" - "确认" - "提示:点按两次可放大或缩小。" - "自动填充" - "设置自动填充" - "%1$s的自动填充功能" - " " - "$1$2$3" - ", " - "$1$2$3" - "省/直辖市/自治区" - "邮编" - "州" - "邮编" - "郡" - "岛" - "地区" - "省" - "县/府/都/道" - "行政区" - "区域" - "酋长国" - "读取您的网络书签和历史记录" - "允许该应用读取浏览器访问过的所有网址记录以及浏览器的所有书签。请注意:此权限可能不适用于第三方浏览器或具备网页浏览功能的其他应用。" - "写入网络书签和历史记录" - "允许该应用修改您平板电脑上存储的浏览器历史记录或浏览器书签。此权限可让该应用清除或修改浏览器数据。请注意:此权限可能不适用于第三方浏览器或具备网页浏览功能的其他应用。" - "允许应用修改您的电视上存储的浏览器历史记录或书签。此权限可让应用清除或修改浏览器数据。请注意:此权限可能不适用于第三方浏览器或具备网页浏览功能的其他应用。" - "允许该应用修改您手机上存储的浏览器历史记录或浏览器书签。此权限可让该应用清除或修改浏览器数据。请注意:此权限可能不适用于第三方浏览器或具备网页浏览功能的其他应用。" - "设置闹钟" - "允许应用在已安装的闹钟应用中设置闹钟。有些闹钟应用可能无法实现此功能。" - "添加语音邮件" - "允许应用在您的语音信箱中留言。" - "修改“浏览器”地理位置的权限" - "允许应用修改“浏览器”的地理位置权限。恶意应用可能借此向任意网站发送位置信息。" - "是否希望浏览器记住此密码?" - "暂不保存" - "记住" - "永不" - "您无权打开此网页。" - "文本已复制到剪贴板。" - "已复制" - "更多" - "MENU+" - "Meta+" - "Ctrl+" - "Alt+" - "Shift+" - "Sym+" - "Fn+" - "空格" - "Enter 键" - "删除" - "搜索" - "搜索…" - "搜索" - "搜索查询" - "清除查询" - "提交查询" - "语音搜索" - "是否启用“触摸浏览”?" - "%1$s想要启用“触摸浏览”。“触摸浏览”启用后,您可以听到或看到所触摸内容的说明,还可以通过手势操作与手机互动。" - "%1$s想要启用“触摸浏览”。“触摸浏览”启用后,您可以听到或看到所触摸内容的说明,还可以通过手势操作与手机互动。" - "1 个月前" - "1 个月前" - - 过去 %d - 过去 %d + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days - "上个月" - "往前" - "%s" - "%s" - "年份:%s" - "天" - "天" - "点" - "小时" - "分钟" - "分钟" - "秒" - "秒" - "周" - "周" - "年" - "年" - "现在" - - %d 分钟 - %d 分钟 + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm - - %d 小时 - %d 小时 + + + %dh - - %d - %d + + + %dd - - %d - %d + + + %dy - - %d 分钟后 - %d 分钟后 + + + in %dm - - %d 小时后 - %d 小时后 + + + in %dh - - %d 天后 - %d 天后 + + + in %dd - - %d 年后 - %d 年后 + + + in %dy - - %d 分钟前 - %d 分钟前 + + + %d minutes ago - - %d 小时前 - %d 小时前 + + + %d hours ago - - %d 天前 - %d 天前 + + + %d days ago - - %d 年前 - %d 年前 + + + %d years ago - - %d 分钟后 - %d 分钟后 + + + in %d minutes - - %d 小时后 - %d 小时后 + + + in %d hours - - %d 天后 - %d 天后 + + + in %d days - - %d 年后 - %d 年后 + + + in %d years - "视频问题" - "抱歉,该视频不适合在此设备上播放。" - "无法播放此视频。" - "确定" - "%1$s%2$s" - "中午" - "中午" - "午夜" - "午夜" - "%1$02d:%2$02d" - "%1$d:%2$02d:%3$02d" - "全选" - "剪切" - "复制" - "无法复制到剪贴板" - "粘贴" - "以纯文本形式粘贴" - "替换..." - "删除" - "复制网址" - "选择文字" - "撤消" - "重做" - "自动填充" - "文字选择" - "添加到字典" - "删除" - "输入法" - "文字操作" - "发送电子邮件" - "将电子邮件发送至所选地址" - "拨打电话" - "拨打所选电话号码" - "查看地图" - "找到所选地址" - "打开" - "打开所选网址" - "发短信" - "将短信发送至所选电话号码" - "添加" - "添加到通讯录" - "查看" - "在日历中查看所选时间" - "排定时间" - "将活动安排在所选时间" - "跟踪" - "跟踪所选航班" - "翻译" - "翻译所选文字" - "定义" - "定义所选文字" - "存储空间不足" - "某些系统功能可能无法正常使用" - "系统存储空间不足。请确保您有250MB的可用空间,然后重新启动。" - "“%1$s”正在运行" - "点按即可了解详情或停止应用。" - "确定" - "取消" - "确定" - "取消" - "注意" - "正在加载..." - "开启" - "关闭" - "选择要使用的应用:" - "使用%1$s完成操作" - "完成操作" - "打开方式" - "使用%1$s打开" - "打开" - "%1$s 链接打开方式" - "链接打开方式" - "使用%1$s打开链接" - "使用%2$s打开 %1$s 链接" - "授予访问权限" - "编辑方式" - "使用%1$s编辑" - "编辑" - "分享" - "使用%1$s分享" - "分享" - "通过以下应用发送" - "通过%1$s发送" - "发送" - "选择主屏幕应用" - "将“%1$s”设为主屏幕应用" - "截图" - "使用以下应用截图" - "使用%1$s截图" - "截图" - "设为默认选项。" - "使用其他应用" - "在“系统设置”>“应用”>“已下载”中清除默认设置。" - "选择操作" - "为USB设备选择一个应用" - "没有应用可执行此操作。" - "%1$s已停止运行" - "%1$s已停止运行" - "%1$s屡次停止运行" - "%1$s屡次停止运行" - "重新打开应用" - "发送反馈" - "关闭" - "忽略(直到设备重启)" - "等待" - "关闭应用" - - "%2$s没有响应" - "%1$s没有响应" - "%1$s没有响应" - "进程“%1$s”没有响应" - "确定" - "报告" - "等待" - "该网页无响应。\n\n要将其关闭吗?" - "应用已重定向" - "%1$s目前正在运行。" - "%1$s已启动。" - "缩放" - "始终显示" - "在“系统设置”>“应用”>“已下载”中重新启用此模式。" - "%1$s不支持当前的显示大小设置,因此可能无法正常显示。" - "一律显示" - "%1$s是专为不兼容的 Android 操作系统版本所打造的应用,因此可能会出现意外行为。您可以使用该应用的更新版本。" - "一律显示" - "检查更新" - "“%1$s”应用(%2$s 进程)违反了自我强制执行的严格模式 (StrictMode) 政策。" - "进程 %1$s 违反了自我强制执行的严格模式 (StrictMode) 政策。" - "手机正在更新…" - "平板电脑正在更新…" - "设备正在更新…" - "手机正在启动…" - "Android 正在启动…" - "平板电脑正在启动…" - "设备正在启动…" - "正在优化存储空间。" - "正在完成系统更新…" - "正在升级%1$s…" - "正在优化第%1$d个应用(共%2$d个)。" - "正在准备升级%1$s。" - "正在启动应用。" - "即将完成启动。" - "%1$s正在运行" - "点按即可返回游戏" - "选择游戏" - "为了提升性能,一次只能打开其中一个游戏。" - "返回%1$s" - "打开%1$s" - "%1$s将会在不保存的情况下关闭" - "%1$s占用的内存已超出限制" - "%1$s 的堆转储数据已准备就绪" - "已收集堆转储数据。点按即可分享。" - "要共享堆转储数据吗?" - "%1$s 进程占用的内存已超出限制 (%2$s)。您可以将堆转储数据分享给相应的开发者。请注意,此堆转储数据中可能包含该应用有权访问的任何个人信息。" - "%1$s进程占用的内存已超出限制 (%2$s)。堆转储数据已可供您分享。请注意,此堆转储数据中可能包含该进程有权访问的敏感个人信息,其中可能包含您的输入内容。" - "%1$s 进程的堆转储数据现已可供您分享。请注意,此堆转储数据中可能包含该进程有权访问的敏感个人信息,其中可能包含您的输入内容。" - "选择要对文字执行的操作" - "铃声音量" - "媒体音量" - "正通过蓝牙播放" - "已设置静音铃声" - "通话音量" - "使用蓝牙时的通话音量" - "闹钟音量" - "通知音量" - "音量" - "蓝牙音量" - "铃声音量" - "通话音量" - "媒体音量" - "通知音量" - "默认铃声" - "默认铃声(%1$s)" - "无" - "铃声" - "闹钟提示音" - "通知提示音" - "未知" - "无法连接到“%1$s”" - "点按以更改隐私设置并重试" - "要更改隐私设置吗?" - "“%1$s”需要使用您设备的 MAC 地址(一个唯一标识符)才能连接。目前,该网络的隐私设置使用的是随机标识符。\n\n这项变更可能会让附近的设备可以跟踪您设备的位置信息。" - "更改设置" - "设置已更新。请尝试重新连接。" - "无法更改隐私设置" - "未找到任何网络" - - 有可用的 WLAN 网络 - 有可用的 WLAN 网络 + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available - - 有可用的开放 WLAN 网络 - 有可用的开放 WLAN 网络 + + + Open Wi-Fi networks available - "连接到开放的 WLAN 网络" - "连接到运营商 WLAN 网络" - "正在连接到 WLAN 网络" - "已连接到 WLAN 网络" - "无法连接到 WLAN 网络" - "点按即可查看所有网络" - "连接" - "所有网络" - "是否允许系统连接到建议的 WLAN 网络?" - "%s建议的网络。设备可能会自动连接到这些网络。" - "允许" - "不用了" - "WLAN 将自动开启" - "当您位于已保存的高品质网络信号范围内时" - "不要重新开启" - "已自动开启 WLAN 网络" - "您位于已保存的网络 (%1$s) 信号范围内" - "登录到WLAN网络" - "登录到网络" - - - "%1$s 无法访问互联网" - "点按即可查看相关选项" - "已连接" - "%1$s 的连接受限" - "点按即可继续连接" - "您的热点设置已变更" - "您的热点频段已变更。" - "此设备不支持您的偏好设置(仅限 5GHz),而且会在 5GHz 频段可用时使用该频段。" - "已切换至%1$s" - "设备会在%2$s无法访问互联网时使用%1$s(可能需要支付相应的费用)。" - "已从%1$s切换至%2$s" - - "移动数据" - "WLAN" - "蓝牙" - "以太网" - "VPN" - - "未知网络类型" - "无法连接到WLAN" - " 互联网连接状况不佳。" - "要允许连接吗?" - "“%1$s”应用想要连接到 WLAN 网络“%2$s”" - "一款应用" - "WLAN 直连" - "启动WLAN直连。此操作将会关闭WLAN客户端/热点。" - "无法启动WLAN直连。" - "已启用WLAN直连" - "点按即可查看相关设置" - "接受" - "拒绝" - "已发出邀请" - "连接邀请" - "发件人:" - "收件人:" - "输入所需的PIN码:" - "PIN 码:" - "平板电脑连接到“%1$s”时会暂时断开与WLAN的连接" - "电视连接到%1$s时会暂时断开与 WLAN 的连接" - "手机连接到%1$s时会暂时断开与WLAN的连接。" - "插入字符" - "正在发送短信" - "<b>%1$s</b>在发送大量短信。是否允许该应用继续发送短信?" - "允许" - "拒绝" - "<b>%1$s</b>想要向 <b>%2$s</b> 发送一条短信。" - "这可能会导致您的手机号产生费用。" - "这会导致您的手机号产生费用。" - "发送" - "取消" - "记住我的选择" - "之后,您可以在“设置”>“应用”中更改此设置" - "始终允许" - "永不允许" - "已移除SIM卡" - "移动网络不可用。请插入有效的SIM卡并重新启动。" - "完成" - "已添加SIM卡" - "请重新启动您的设备,以便访问移动网络。" - "重新启动" - "激活移动网络服务" - "下载运营商应用即可激活您的新 SIM 卡" - "下载%1$s应用即可激活您的新 SIM 卡" - "下载应用" - "已插入新 SIM 卡" - "点按即可进行设置" - "设置时间" - "设置日期" - "设置" - "完成" - "新增:" - "由“%1$s”提供。" - "不需要任何权限" - "这可能会产生费用" - "确定" - "正在通过 USB 为此设备充电" - "正在通过 USB 为连接的设备充电" - "已开启 USB 文件传输模式" - "已开启 USB PTP 模式" - "已开启 USB 网络共享模式" - "已开启 USB MIDI 模式" - "USB 配件已连接" - "点按即可查看更多选项。" - "正在为连接的设备充电。点按即可查看更多选项。" - "检测到模拟音频配件" - "连接的设备与此手机不兼容。点按即可了解详情。" - "已连接到 USB 调试" - "点按即可关闭 USB 调试" - "选择即可停用 USB 调试功能。" - "自动化测试框架模式已启用" - "恢复出厂设置以停用自动化测试框架模式。" - "USB 端口中有液体或碎屑" - "USB 端口已自动停用。点按即可了解详情。" - "允许使用 USB 端口" - "手机不再检测到液体或碎屑。" - "正在生成错误报告…" - "要分享错误报告吗?" - "正在分享错误报告…" - "您的管理员希望获取错误报告,以便排查此设备的问题。报告可能会透露您设备上的应用和数据。" - "分享" - "拒绝" - "选择输入法" - "在连接到实体键盘时保持显示" - "显示虚拟键盘" - "配置实体键盘" - "点按即可选择语言和布局" - " ABCDEFGHIJKLMNOPQRSTUVWXYZ" - " 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ" - "显示在其他应用的上层" - "“%s”正在其他应用的上层显示内容" - "“%s”正在其他应用的上层显示内容" - "如果您不想让“%s”使用此功能,请点按以打开设置,然后关闭此功能。" - "关闭" - "正在检查%s…" - "正在检查当前内容" - "新的%s" - "点按即可进行设置" - "可用于传输照片和媒体文件" - "%s出现问题" - "点按即可修正问题" - "%s已损坏。选择即可进行修正。" - "%s不受支持" - "该设备不支持此%s。点按即可使用支持的格式进行设置。" - "此设备不支持该%s。选择即可使用支持的格式进行设置。" - "%s已意外移除" - "请先弹出媒体,再将其移除,以防内容丢失" - "%s已被移除" - "部分功能可能无法正常运行。请插入新的存储设备。" - "正在弹出%s" - "请勿移除" - "设置" - "弹出" - "浏览" - "切换输出" - "缺少%s" - "请再次插入设备" - "正在移动%s" - "正在移动数据" - "内容转移操作已完成" - "已将内容移至%s" - "无法移动内容" - "请再次尝试移动内容" - "已移除" - "已弹出" - "正在检查…" - "就绪" - "只读" - "未安全移除" - "已损坏" - "不支持" - "正在弹出…" - "正在格式化…" - "未插入" - "未找到匹配的活动。" - "更改媒体输出线路" - "允许该应用将媒体输出线路更改到其他外部设备。" - "读取安装会话" - "允许应用读取安装会话。这样,应用将可以查看有关当前软件包安装的详情。" - "请求安装文件包" - "允许应用请求安装文件包。" - "请求删除文件包" - "允许应用请求删除文件包。" - "请求忽略电池优化" - "允许应用请求相应的权限,以便忽略针对该应用的电池优化。" - "双击可以进行缩放控制" - "无法添加微件。" - "开始" - "搜索" - "发送" - "下一步" - "完成" - "上一页" - "执行" - "拨打电话\n%s" - "创建电话号码为\n%s 的联系人" - "以下一个或多个应用请求获得相应权限,以便在当前和以后访问您的帐号。" - "您是否同意此请求?" - "访问权限请求" - "允许" - "拒绝" - "权限请求" - "应用对帐号 %s\n 提出权限请求。" - "您目前是在工作资料之外使用此应用" - "您目前是在工作资料内使用此应用" - "输入法" - "同步" - "无障碍" - "壁纸" - "更改壁纸" - "通知侦听器" - "VR 监听器" - "条件提供程序" - "通知重要程度排序服务" - "已激活VPN" - "%s已激活VPN" - "点按即可管理网络。" - "已连接到%s。点按即可管理网络。" - "正在连接到始终开启的 VPN…" - "已连接到始终开启的 VPN" - "始终开启的 VPN 已断开连接" - "无法连接到始终开启的 VPN" - "更改网络或 VPN 设置" - "选择文件" - "未选定任何文件" - "重置" - "提交" - "驾驶应用正在运行" - "点按即可退出驾驶应用。" - "网络共享或热点已启用" - "点按即可进行设置。" - "网络共享已停用" - "请与您的管理员联系以了解详情" - "上一步" - "下一步" - "跳过" - "无匹配项" - "在网页上查找" - - %d 条结果(共 %d 条) - 1 条结果 + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + + %d of %d - "完成" - "正在清空共享的存储空间…" - "分享" - "查找" - "网页搜索" - "下一条结果" - "上一条结果" - "来自%s的定位请求" - "位置信息请求" - "请求人:%1$s%2$s)" - "是" - "否" - "超出删除限制" - "帐号 %3$s 在进行“%2$s”同步时删除了 %1$d 项内容。您要如何处理这些删除的内容?" - "删除这些内容" - "撤消删除" - "目前不进行任何操作" - "选择帐号" - "添加帐号" - "添加帐号" - "增大" - "减小" - "%s 触摸并按住。" - "向上滑动可增大数值,向下滑动可减小数值。" - "增大分钟值" - "减小分钟值" - "增大小时值" - "减小小时值" - "设置下午时间" - "设置上午时间" - "增大月份值" - "减小月份值" - "增大日期值" - "减小日期值" - "增大年份值" - "减小年份值" - "上个月" - "下个月" - "Alt" - "取消" - "Delete" - "完成" - "模式更改" - "Shift" - "Enter" - "选择应用" - "无法启动“%s”" - "分享方式" - "使用%s分享" - "滑动手柄。触摸并按住。" - "滑动解锁。" - "导航首页" - "向上导航" - "更多选项" - "%1$s:%2$s" - "%1$s - %2$s:%3$s" - "内部共享存储空间" - "SD卡" - "%s SD 卡" - "U 盘" - "%s U 盘" - "USB存储器" - "修改" - "数据流量警告" - "您已使用 %s 的数据流量" - "已达到移动数据流量上限" - "已达到 WLAN 流量上限" - "已暂停使用数据网络连接,直到这个周期结束为止" - "已超出移动数据流量上限" - "已超出 WLAN 数据流量上限" - "您已使用 %s,超出所设上限" - "后台流量受限制" - "点按即可取消限制。" - "移动数据用量较多" - "您的应用使用的数据流量比平时多" - "%s使用的数据流量比平时多" - "安全证书" - "该证书有效。" - "颁发给:" - "常用名称:" - "组织:" - "组织单位:" - "颁发者:" - "有效期:" - "颁发时间:" - "有效期至:" - "序列号:" - "指纹:" - "SHA-256 指纹:" - "SHA-1 指纹:" - "查看全部" - "选择活动" - "分享方式" - "正在发送..." - "要启动浏览器吗?" - "要接听电话吗?" - "始终" - "设置为始终打开" - "仅此一次" - "设置" - "%1$s不支持工作资料" - "平板电脑" - "电视" - "手机" - "基座扬声器" - "HDMI" - "耳机" - "USB" - "系统" - "蓝牙音频" - "无线显示" - "投射" - "连接到设备" - "将屏幕投射到设备上" - "正在搜索设备…" - "设置" - "断开连接" - "正在扫描..." - "正在连接..." - "可连接" - "无法连接" - "正在使用" - "内置屏幕" - "HDMI 屏幕" - "叠加视图 #%1$d" - "%1$s%2$dx%3$d%4$d dpi" - ",安全" - "忘记了图案" - "图案错误" - "密码错误" - "PIN码有误" - - 请在 %d 秒后重试。 - 请在 1 秒后重试。 + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. - "绘制您的图案" - "输入 SIM 卡 PIN 码" - "输入PIN码" - "输入密码" - "SIM卡已被停用,需要输入PUK码才能继续使用。有关详情,请联系您的运营商。" - "请输入所需的PIN码" - "请确认所需的PIN码" - "正在解锁SIM卡..." - "PIN码有误。" - "请输入4至8位数的PIN码。" - "PUK码应包含8位数字。" - "请重新输入正确的PUK码。如果尝试错误次数过多,SIM卡将永久停用。" - "PIN 码不匹配" - "图案尝试次数过多" - "要解锁,请登录您的 Google 帐号。" - "用户名(电子邮件地址)" - "密码" - "登录" - "用户名或密码无效。" - "忘记了用户名或密码?\n请访问 ""google.com/accounts/recovery""。" - "正在检查帐号…" - "您已经%1$d次输错了PIN码。\n\n请在%2$d秒后重试。" - "您已连续 %1$d 次输错密码。\n\n请在 %2$d 秒后重试。" - "您已连续 %1$d 次画错解锁图案。\n\n请在 %2$d 秒后重试。" - "您已经 %1$d 次错误地尝试解锁平板电脑。如果再尝试 %2$d 次后仍不成功,平板电脑将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经 %1$d 次错误地尝试解锁电视。如果再尝试 %2$d 次后仍不成功,电视将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经 %1$d 次错误地尝试解锁手机。如果再尝试 %2$d 次后仍不成功,手机将恢复为出厂默认设置,所有用户数据都会丢失。" - "您已经%d次错误地尝试解锁平板电脑。平板电脑现在将恢复为出厂默认设置。" - "您已经 %d 次错误地尝试解锁电视。电视现在将恢复为出厂默认设置。" - "您已经%d次错误地尝试解锁手机。手机现在将恢复为出厂默认设置。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用自己的电子邮件帐号解锁平板电脑。\n\n请在 %3$d 秒后重试。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用电子邮件帐号解锁电视。\n\n请在 %3$d 秒后重试。" - "您已连续 %1$d 次画错解锁图案。如果再尝试 %2$d 次后仍不成功,系统就会要求您使用自己的电子邮件帐号解锁手机。\n\n请在 %3$d 秒后重试。" - " — " - "删除" - "要将音量调高到建议的音量以上吗?\n\n长时间保持高音量可能会损伤听力。" - "要使用无障碍快捷方式吗?" - "开启快捷方式后,同时按下两个音量按钮 3 秒钟即可启动所设定的无障碍功能。\n\n当前设定的无障碍功能:\n%1$s\n\n如需更改设定的功能,请依次转到“设置”>“无障碍”。" - "关闭快捷方式" - "使用快捷方式" - "颜色反转" - "色彩校正" - "无障碍快捷方式已开启%1$s" - "无障碍快捷方式已关闭%1$s" - "同时按住两个音量键 3 秒钟即可使用 %1$s" - "选择按“无障碍”按钮后要使用的服务:" - "选择要搭配无障碍手势(用两指从屏幕底部向上滑动)使用的服务:" - "选择要搭配无障碍手势(用三指从屏幕底部向上滑动)使用的服务:" - "要在多项服务之间切换,请轻触并按住“无障碍”按钮。" - "要在多项服务之间切换,请用两指向上滑动并按住。" - "要在多项服务之间切换,请用三指向上滑动并按住。" - "放大功能" - "当前用户是%1$s。" - "正在切换为%1$s…" - "正在将%1$s退出帐号…" - "机主" - "错误" - "您的管理员不允许进行这项更改" - "找不到可处理此操作的应用" - "撤消" - "ISO A0" - "ISO A1" - "ISO A2" - "ISO A3" - "ISO A4" - "ISO A5" - "ISO A6" - "ISO A7" - "ISO A8" - "ISO A9" - "ISO A10" - "ISO B0" - "ISO B1" - "ISO B2" - "ISO B3" - "ISO B4" - "ISO B5" - "ISO B6" - "ISO B7" - "ISO B8" - "ISO B9" - "ISO B10" - "ISO C0" - "ISO C1" - "ISO C2" - "ISO C3" - "ISO C4" - "ISO C5" - "ISO C6" - "ISO C7" - "ISO C8" - "ISO C9" - "ISO C10" - "Letter" - "Government Letter" - "Legal" - "Junior Legal" - "Ledger" - "Tabloid" - "Index Card 3x5" - "Index Card 4x6" - "Index Card 5x8" - "Monarch" - "Quarto" - "Foolscap" - "ROC 8K" - "ROC 16K" - "PRC 1" - "PRC 2" - "PRC 3" - "PRC 4" - "PRC 5" - "PRC 6" - "PRC 7" - "PRC 8" - "PRC 9" - "PRC 10" - "PRC 16K" - "8开" - "大8开" - "16开" - "JIS B10" - "JIS B9" - "JIS B8" - "JIS B7" - "JIS B6" - "JIS B5" - "JIS B4" - "JIS B3" - "JIS B2" - "JIS B1" - "JIS B0" - "JIS Exec" - "Chou4" - "Chou3" - "Chou2" - "Hagaki" - "Oufuku" - "Kahu" - "Kaku2" - "You4" - "未知(纵向)" - "未知(横向)" - "已取消" - "写入内容时出错" - "未知" - "未启用打印服务" - "已安装“%s”服务" - "点按即可启用" - "请输入管理员 PIN 码" - "输入PIN码" - "错误" - "当前PIN码" - "新PIN码" - "确认新PIN码" - "设置PIN码,防止他人修改限制条件" - "PIN码不符,请重试。" - "PIN码太短,至少应包含4位数字。" - - %d 秒后重试 - 1 秒后重试 + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds - "稍后重试" - "目前处于全屏模式" - "要退出,请从顶部向下滑动。" - "知道了" - "完成" - "小时转盘" - "分钟转盘" - "选择小时" - "选择分钟" - "选择月份和日期" - "选择年份" - "已删除%1$s" - "工作%1$s" - "第二个工作%1$s" - "第三个工作%1$s" - "取消时要求输入PIN码" - "取消时要求绘制解锁图案" - "取消时要求输入密码" - "已由您的管理员安装" - "已由您的管理员更新" - "已由您的管理员删除" - "确定" - "为了延长电池续航时间,省电模式会执行以下操作:\n开启深色主题\n关闭或限制后台活动、部分视觉效果和其他功能,例如“Ok Google”\n\n""了解详情" - "为了延长电池续航时间,省电模式会执行以下操作:\n开启深色主题\n关闭或限制后台活动、部分视觉效果和其他功能,例如“Ok Google”" - "为了减少流量消耗,流量节省程序会阻止某些应用在后台收发数据。您当前使用的应用可以收发数据,但频率可能会降低。举例而言,这可能意味着图片只有在您点按之后才会显示。" - "要开启流量节省程序吗?" - "开启" - - %1$d 分钟(到%2$s - 1 分钟(到%2$s + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) - - %1$d 分钟(到%2$s)) - 1 分钟(到%2$s + + + For %1$d min (until %2$s) - - %1$d 小时(直到%2$s - 1 小时(直到%2$s + + + For %1$d hours (until %2$s) - - %1$d 小时(到%2$s - 1 小时(到%2$s + + + For %1$d hr (until %2$s) - - %d 分钟 - 1 分钟 + + + For %d minutes - - %d 分钟 - 1 分钟 + + + For %d min - - %d 小时 - 1 小时 + + + For %d hours - - %d 小时 - 1 小时 + + + For %d hr - "到%1$s" - "直到%1$s(闹钟下次响铃时)" - "直到您将其关闭" - "直到您关闭“勿扰”模式" - "%1$s / %2$s" - "收起" - "勿扰" - "休息时间" - "周一至周五夜间" - "周末" - "活动" - "睡眠" - "%1$s正在将某些音效设为静音" - "您的设备内部出现了问题。如果不将设备恢复出厂设置,设备运行可能会不稳定。" - "您的设备内部出现了问题。请联系您的设备制造商了解详情。" - "USSD 请求已更改为普通通话" - "USSD 请求已更改为 SS 请求" - "已更改为新的 USSD 请求" - "USSD 请求已更改为视频通话" - "SS 请求已更改为普通通话" - "SS 请求已更改为视频通话" - "SS 请求已更改为 USSD 请求" - "已更改为新的 SS 请求" - "工作资料" - "已提醒" - "展开" - "收起" - "切换展开模式" - "Android USB 外设端口" - "Android" - "USB 外设端口" - "更多选项" - "关闭工具栏溢出" - "最大化" - "关闭" - "%1$s%2$s" - - 已选择 %1$d - 已选择 %1$d + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected - "未分类" - "这些通知的重要程度由您来设置。" - "这条通知涉及特定的人,因此被归为重要通知。" - "允许%1$s使用 %2$s(目前已有用户使用此帐号)创建新用户吗?" - "允许%1$s使用 %2$s 创建新用户吗?" - "添加语言" - "区域偏好设置" - "输入语言名称" - "建议语言" - "所有语言" - "所有国家/地区" - "搜索" - "应用无法使用" - "%1$s目前无法使用。该应用是由%2$s所管理。" - "了解详情" - "要开启工作资料吗?" - "您的工作应用、通知、数据及其他工作资料功能将会开启" - "开启" - "此应用专为旧版 Android 打造,因此可能无法正常运行。请尝试检查更新或与开发者联系。" - "检查更新" - "您有新消息" - "打开短信应用查看" - "部分功能可能会受到限制" - "工作资料已锁定" - "点按即可解锁工作资料" - "已连接到%1$s" - "点按即可查看文件" - "固定" - "取消固定" - "应用信息" - "−%1$s" - "正在启动演示模式…" - "正在重置设备…" - "已停用的%1$s" - "电话会议" - "提示" - "游戏" - "音乐和音频" - "电影和视频" - "照片和图片" - "社交和通信" - "新闻和杂志" - "地图和导航" - "办公" - "设备存储空间" - "USB 调试" - "点" - "分" - "设置时间" - "请输入有效的时间" - "请输入时间" - "切换到文字输入模式来输入时间。" - "切换到时钟模式来输入时间。" - "自动填充选项" - "保存以便用于自动填充" - "无法自动填充内容" - "没有自动填充建议" - - %1$s 条自动填充建议 - 1 条自动填充建议 + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions - "要保存到""%1$s""吗?" - "要将%1$s保存到""%2$s""吗?" - "要将%1$s%2$s保存到""%3$s""吗?" - "要将%1$s%2$s%3$s保存到""%4$s""吗?" - "要在""%1$s""中更新吗?" - "要在""%2$s""中更新%1$s吗?" - "要在""%3$s""中更新%1$s%2$s吗?" - "要在""%4$s""中更新%1$s%2$s%3$s这些内容吗?" - "保存" - "不用了" - "更新" - "密码" - "地址" - "信用卡" - "用户名" - "电子邮件地址" - "请保持冷静,并寻找附近的避难地点。" - "请立即从沿海和河滨区域撤离到高地等较安全的地方。" - "请保持冷静,并寻找附近的避难地点。" - "紧急消息测试" - "回复" - - "SIM 卡不支持语音" - "未配置支持语音的 SIM 卡" - "SIM 卡不支持语音" - "手机不支持语音" - "不允许使用 SIM 卡 %d" - "未配置 SIM 卡 %d" - "不允许使用 SIM 卡 %d" - "不允许使用 SIM 卡 %d" - "弹出式窗口" - "+ %1$d" - "应用版本已降级或与此快捷方式不兼容" - "无法恢复快捷方式,因为应用不支持备份和恢复功能" - "无法恢复快捷方式,因为应用签名不相符" - "无法恢复快捷方式" - "快捷方式已停用" - "卸载" - "仍然打开" - "检测到有害应用" - "“%1$s”想要显示“%2$s”图块" - "编辑" - "有来电和通知时会振动" - "有来电和通知时会静音" - "系统变更" - "勿扰" - "新功能:勿扰模式目前可隐藏通知" - "点按即可了解详情以及进行更改。" - "“勿扰”设置有变更" - "点按即可查看屏蔽内容。" - "系统" - "设置" - "相机" - "麦克风" - "显示在屏幕上其他应用的上层" - "日常安排模式信息通知" - "电池电量可能会在您平时的充电时间之前耗尽" - "已启用省电模式以延长电池续航时间" - "省电模式" - "电池电量不足时才会再次启用省电模式" - "电池电量已充足。电池电量不足时才会再次启用省电模式。" - "手机已充电到 %1$s" - "平板电脑已充电到 %1$s" - "设备已充电到 %1$s" - "省电模式已关闭。各项功能不再受限。" - "省电模式已关闭,各项功能不再受限。" - "文件夹" - "Android 应用" - "文件" - "%1$s 文件" - "音频" - "%1$s 音频" - "视频" - "%1$s 视频" - "图片" - "%1$s 图片" - "归档文件" - "%1$s 归档文件" - "文档" - "%1$s 文档" - "电子表格" - "%1$s 电子表格" - "演示文稿" - "%1$s 演示文稿" - "正在加载" - - %s + %d 个文件 - %s + %d 个文件 + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files - "无法使用直接分享功能" - "应用列表" + + Direct share not available + + Apps list diff --git a/core/res/res/values-zh-rTW/du_strings.xml b/core/res/res/values-zh-rTW/du_strings.xml new file mode 100644 index 0000000000000..0a17dbc9a4394 --- /dev/null +++ b/core/res/res/values-zh-rTW/du_strings.xml @@ -0,0 +1,48 @@ + + + + + Reboot + Rebooting system + + Spoof package signature + + Allows the app to pretend to be a different app. Malicious applications might be able to use this to access private application data. Grant this permission with caution only! + + Spoof package signature + + allow to spoof package signature + + Allow + <b>%1$s</b> to spoof package signature? + + Copy crash log URL + URL copied successfully + An error occured while uploading the log to dogbin + + Gaming mode + Gaming mode enabled + Tap to turn off Gaming mode + Gaming mode turned on + Gaming mode turned off + + ADB over network enabled + + ADB over USB & network enabled + + Touch to disable debugging. + + Press and hold power button to unlock + diff --git a/core/res/res/values-zh-rTW/strings.xml b/core/res/res/values-zh-rTW/strings.xml index 1b483488e4d03..9a3848fa66520 100644 --- a/core/res/res/values-zh-rTW/strings.xml +++ b/core/res/res/values-zh-rTW/strings.xml @@ -1,5 +1,5 @@ - - - - - "B" - "KB" - "MB" - "GB" - "TB" - "PB" - "%1$s %2$s" - "<未命名>" - "(沒有電話號碼)" - "不明" - "語音留言" - "MSISDN1" - "連線發生問題或錯誤的 MMI 碼。" - "僅限對固定撥號號碼執行此作業。" - "漫遊時無法透過你的手機變更來電轉接設定。" - "服務已啟用。" - "已啟用服務:" - "服務已停用。" - "註冊成功。" - "清除成功。" - "密碼錯誤。" - "MMI 完成。" - "你輸入的舊 PIN 不正確。" - "你輸入的 PUK 不正確。" - "你輸入的 PIN 碼不符。" - "輸入 4~8 個數字的 PIN。" - "輸入 8 位數以上的 PUK。" - "SIM 卡的 PUK 已鎖定。請輸入 PUK 碼解除鎖定。" - "請輸入 PUK2 以解鎖 SIM 卡。" - "操作失敗,請啟用 SIM/RUIM 鎖定。" - - 你還可以再試 %d 次。如果仍然失敗,SIM 卡將被鎖定。 - 你還可以再試 %d 次。如果仍然失敗,SIM 卡將被鎖定。 +--> + + + B + + kB + + MB + + GB + + TB + + PB + + %1$s %2$s + + <Untitled> + + (No phone number) + + Unknown + + Voicemail + + MSISDN1 + + + + Connection problem or invalid MMI code. + + Operation is restricted to fixed dialing numbers only. + + Can not change call forwarding settings from your phone while you are roaming. + + Service was enabled. + + Service was enabled for: + + Service has been disabled. + + Registration was successful. + + Erasure was successful. + + Incorrect password. + + MMI complete. + + The old PIN you typed isn\'t correct. + + The PUK you typed isn\'t correct. + + The PINs you typed don\'t match. + + Type a PIN that is 4 to 8 numbers. + + Type a PUK that is 8 numbers or longer. + + Your SIM card is PUK-locked. Type the PUK code to unlock it. + Type PUK2 to unblock SIM card. + + Unsuccessful, enable SIM/RUIM Lock. + + + You have %d remaining attempts before SIM is locked. - "IMEI" - "MEID" - "來電顯示" - "本機號碼" - "連接的線路 ID" - "連接的線路 ID 限制" - "來電轉接" - "來電等待" - "通話限制" - "變更密碼" - "PIN 已變更" - "顯示來電號碼" - "隱藏發話號碼" - "三方通話" - "拒接不想接聽的騷擾電話" - "顯示發話號碼" - "勿干擾" - "預設不顯示本機號碼,下一通電話也不顯示。" - "預設不顯示本機號碼,但下一通電話顯示。" - "預設顯示本機號碼,但下一通電話不顯示。" - "預設顯示本機號碼,下一通電話也繼續顯示。" - "無法提供此服務。" - "你無法變更來電顯示設定。" - "沒有行動數據傳輸服務" - "無法撥打緊急電話" - "無法使用語音通話服務" - "沒有語音通話服務或無法撥打緊急電話" - "暫時由電信業者關閉" - "SIM 卡 %d 暫時遭電信業者停用" - "無法連上行動網路" - "請嘗試變更偏好的網路。輕觸即可變更。" - "無法撥打緊急電話" - "無法透過 Wi‑Fi 撥打緊急電話" - "快訊" - "來電轉接" - "緊急回撥模式" - "行動數據狀態" - "簡訊" - "語音留言" - "Wi-Fi 通話" - "SIM 卡狀態" - "高優先順序 SIM 卡狀態" - "通訊對象要求使用 TTY 的 FULL 模式" - "通訊對象要求使用 TTY 的 HCO 模式" - "通訊對象要求使用 TTY 的 VCO 模式" - "通訊對象要求使用 TTY 的 OFF 模式" - "語音服務" - "資料" - "傳真" - "SMS" - "非同步" - "同步處理" - "封包" - "按鍵" - "漫遊指示開啟" - "漫遊指示關閉" - "漫遊指示閃爍" - "超出鄰近範圍" - "超出建築物範圍" - "漫遊 - 偏好系統" - "漫遊 - 可用系統" - "漫遊 - 聯盟合作夥伴" - "漫遊 - Google Premium 合作夥伴" - "漫遊 - 完整服務功能" - "漫遊 - 部分服務功能" - "漫遊橫幅開啟" - "漫遊橫幅關閉" - "正在搜尋服務" - "無法設定 Wi‑Fi 通話" - - "如要透過 Wi-Fi 網路撥打電話及傳送訊息,請先要求電信業者為你設定這項服務,然後再次前往「設定」頁面啟用 Wi-Fi 通話功能。(錯誤代碼:%1$s)" - - - "向你的電信業者註冊 Wi‑Fi 通話時發生問題:%1$s" - - - - "%s Wi-Fi 通話" - "%s Wi-Fi 通話" - "WLAN 通話" - "%s WLAN 通話" - "%s Wi-Fi" - "Wi-Fi 通話 | %s" - "%s VoWifi" - "Wi-Fi 通話" - "Wi-Fi" - "Wi-Fi 通話" - "VoWifi" - "關閉" - "透過 Wi-Fi 進行通話" - "透過行動網路進行通話" - "只限 Wi-Fi" - "{0}:未轉接" - "{0}: {1}" - "{0}{2} 秒後 {1}" - "{0}:未轉接" - "{0}:未轉接" - "功能碼輸入完成。" - "連線發生問題或功能碼無效。" - "確定" - "發生網路錯誤。" - "找不到網址。" - "不支援的網站驗證機制。" - "無法驗證。" - "透過 proxy 伺服器驗證失敗。" - "無法連線至伺服器。" - "無法與伺服器進行通訊,請稍後再試。" - "連線到伺服器逾時。" - "此網頁包含太多伺服器轉址。" - "不支援的通訊協定。" - "無法建立安全連線。" - "網址無效,因此無法開啟網頁。" - "無法存取檔案。" - "找不到所要求的檔案。" - "太多執行要求。請稍後再試一次。" - "%1$s 發生登入錯誤" - "同步處理" - "無法同步處理" - "嘗試刪除的「%s」數量過多。" - "平板電腦的儲存空間已滿。請刪除一些檔案,以釋放出可用空間。" - "手錶儲存空間已用盡,請刪除一些檔案以釋出可用空間。" - "電視儲存空間已滿,請刪除部分檔案以釋出可用空間。" - "手機儲存空間已滿。請刪除一些檔案,以釋放可用空間。" - - 已安裝憑證授權單位憑證 - 已安裝憑證授權單位憑證 + + IMEI + + MEID + + Incoming Caller ID + + Outgoing Caller ID + + Connected Line ID + + Connected Line ID Restriction + + Call forwarding + + Call waiting + + Call barring + + Password change + + PIN change + Calling number present + Calling number restricted + Three way calling + Rejection of undesired annoying calls + Calling number delivery + Do not disturb + + Caller ID defaults to restricted. Next call: Restricted + + Caller ID defaults to restricted. Next call: Not restricted + + Caller ID defaults to not restricted. Next call: Restricted + + Caller ID defaults to not restricted. Next call: Not restricted + + Service not provisioned. + + You can\'t change the caller ID setting. + + No mobile data service + + Emergency calling unavailable + + No voice service + + No voice service or emergency calling + + Temporarily turned off by your carrier + + Temporarily turned off by your carrier for SIM %d + + Can\u2019t reach mobile network + + Try changing preferred network. Tap to change. + + Emergency calling unavailable + + Can\u2019t make emergency calls over Wi\u2011Fi + + Alerts + + Call forwarding + + Emergency callback mode + + Mobile data status + + SMS messages + + Voicemail messages + + Wi-Fi calling + + SIM status + + High priority SIM status + + Peer requested TTY Mode FULL + Peer requested TTY Mode HCO + Peer requested TTY Mode VCO + Peer requested TTY Mode OFF + + + + Voice + + Data + + FAX + + SMS + + Async + + Sync + + Packet + + PAD + + + + Roaming Indicator On + Roaming Indicator Off + Roaming Indicator Flashing + Out of Neighborhood + Out of Building + Roaming - Preferred System + Roaming - Available System + Roaming - Alliance Partner + Roaming - Premium Partner + Roaming - Full Service Functionality + Roaming - Partial Service Functionality + Roaming Banner On + Roaming Banner Off + Searching for Service + + Couldn\u2019t set up Wi\u2011Fi calling + + + To make calls and send messages over Wi-Fi, first ask your carrier to set up this service. Then turn on Wi-Fi calling again from Settings. (Error code: %1$s) + + + + Issue registering Wi\u2011Fi calling with your carrier: %1$s + + + + %s + + %s Wi-Fi Calling + + %s WiFi Calling + + WLAN Call + + %s WLAN Call + + %s Wi-Fi + + WiFi Calling | %s + + %s VoWifi + + Wi-Fi Calling + + Wi-Fi + + WiFi Calling + + VoWifi + + Off + + Call over Wi-Fi + + Call over mobile network + + Wi-Fi only + + Ims Preferred + + + + {0}: Not forwarded + + {0}: {1} + + {0}: {1} after {2} seconds + + {0}: Not forwarded + + {0}: Not forwarded + + + + Feature code complete. + + Connection problem or invalid feature code. + + + + OK + + There was a network error. + + Couldn\'t find the URL. + + The site authentication scheme isn\'t supported. + + Couldn\'t authenticate. + + Authentication via the proxy server was unsuccessful. + + Couldn\'t connect to the server. + + Couldn\'t communicate with the server. Try again later. + + The connection to the server timed out. + + The page contains too many server redirects. + + The protocol isn\'t supported. + + Couldn\'t establish a secure connection. + + Couldn\'t open the page because the URL is invalid. + + Couldn\'t access the file. + + Couldn\'t find the requested file. + + Too many requests are being processed. Try again later. + + + + Signin error for %1$s + + + + Sync + + Can\'t sync + + Attempted to delete too many %s. + + Tablet storage is full. Delete some files to free space. + + Watch storage is full. Delete some files to free space. + + TV storage is full. Delete some files to free space. + + Phone storage is full. Delete some files to free space. + + + + + Certificate authorities installed - "受到不明的第三方監控" - "由你的工作資料夾管理員監控" - "受到 %s 監控" - "工作資料夾已遭刪除" - "工作資料夾管理員應用程式遺失或已毀損,因此系統刪除了你的工作資料夾和相關資料。如需協助,請與你的管理員聯絡。" - "你的工作資料夾已不在這個裝置上" - "密碼輸入錯誤的次數過多" - "裝置受到管理" - "貴機構會管理這個裝置,且可能監控網路流量。輕觸即可瞭解詳情。" - "你的裝置資料將遭到清除" - "無法使用管理應用程式,系統現在將清除你裝置中的資料。\n\n如有任何問題,請與貴機構的管理員聯絡。" - "「%s」已停用列印功能。" - "我" - "平板電腦選項" - "電視選項" - "電話選項" - "靜音模式" - "開啟無線電" - "關閉無線電" - "螢幕鎖定" - "關機" - "鈴聲關閉" - "鈴聲震動" - "鈴聲開啟" - "Android 系統更新" - "正在準備更新…" - "正在處理更新套件…" - "正在重新啟動…" - "恢復原廠設定" - "正在重新啟動…" - "關機中…" - "你的平板電腦將會關機。" - "你的電視即將關閉。" - "你的手錶即將關機。" - "手機即將關機。" - "你要關機嗎?" - "重新啟動進入安全模式" - "你要重新啟動進入安全模式嗎?這會將你安裝的所有第三方應用程式全部停用。如要還原這些應用程式,只要再次重新啟動即可。" - "最新的" - "沒有最近用過的應用程式。" - "平板電腦選項" - "電視選項" - "電話選項" - "螢幕鎖定" - "關機" - "緊急電話" - "錯誤報告" - "結束" - "擷取螢幕畫面" - "錯誤報告" - "這會收集你目前裝置狀態的相關資訊,以便透過電子郵件傳送。從錯誤報告開始建立到準備傳送的這段過程可能需要一點時間,敬請耐心等候。" - "互動式報告" - "在一般情況下,建議你使用這個選項,以便追蹤報告產生進度、輸入更多與問題相關的資訊,以及擷取螢幕畫面。系統可能會省略部分較少使用的區段,藉此縮短報告產生時間。" - "完整報告" - "如果你的裝置沒有回應或運行速度過慢,或是當你需要所有區段的報告時,建議你使用這個選項來減少系統干擾。這個選項不支援你輸入更多資訊,也不會擷取其他螢幕畫面。" - - 系統將在 %d 秒後擷取錯誤報告的螢幕畫面。 - 系統將在 %d 秒後擷取錯誤報告的螢幕畫面。 + + By an unknown third party + + By your work profile admin + + By %s + + + + Work profile deleted + + The work profile admin app is either missing or corrupted. + As a result, your work profile and related data have been deleted. Contact your admin for assistance. + + Your work profile is no longer available on this device + + Too many password attempts + + Device is managed + + Your organization manages this device and may monitor network traffic. Tap for details. + + + + Your device will be erased + + The admin app can\'t be used. Your device will now be + erased.\n\nIf you have questions, contact your organization\'s admin. + + Printing disabled by %s. + + Me + + + + Tablet options + + TV options + + Phone options + + Silent mode + + Turn on wireless + + Turn off wireless + + Screen lock + + Power off + + Ringer off + + Ringer vibrate + + Ringer on + + Android system update + Preparing to update\u2026 + Processing the update package\u2026 + Restarting\u2026 + + Factory data reset + Restarting\u2026 + + Shutting down\u2026 + + Your tablet will shut down. + + Your TV will shut down. + + Your watch will shut down. + + Your phone will shut down. + + Do you want to shut down? + + Reboot to safe mode + + Do you want to reboot into safe mode? + This will disable all third party applications you have installed. + They will be restored when you reboot again. + + Recent + + No recent apps. + + Tablet options + + TV options + + Phone options + + Screen lock + + Power off + + + + Emergency + + Bug report + + End session + + Screenshot + + Bug report + + + This will collect information about your + current device state, to send as an e-mail message. It will take a little + time from starting the bug report until it is ready to be sent; please be + patient. + + Interactive report + + Use this under most circumstances. + It allows you to track progress of the report, enter more details about the problem, and take screenshots. + It might omit some less-used sections that take a long time to report. + + Full report + + Use this option for minimal system interference when + your device is unresponsive or too slow, or when you need all report sections. + Does not allow you to enter more details or take additional screenshots. + + + Taking screenshot for bug report in %d seconds. - "靜音模式" - "音效已關閉" - "音效已開啟" - "飛航模式" - "飛航模式為 [開啟]" - "飛航模式為 [關閉]" - "設定" - "協助" - "語音小幫手" - "鎖定" - "超過 999" - "新通知" - "虛擬鍵盤" - "實體鍵盤" - "安全性" - "車用模式" - "帳戶狀態" - "開發人員的訊息" - "更新" - "網路狀態" - "網路警示" - "有可用的網路" - "VPN 狀態" - "來自 IT 管理員的快訊" - "快訊" - "零售商示範模式" - "USB 連線" - "應用程式執行中" - "正在耗用電量的應用程式" - "「%1$s」正在耗用電量" - "%1$d 個應用程式正在耗用電量" - "輕觸即可查看電池和數據用量詳情" - "%1$s%2$s" - "安全模式" - "Android 系統" - "切換至個人設定檔" - "切換至工作資料夾" - "聯絡人" - "存取你的聯絡人" - "要允許「%1$s」存取你的聯絡人嗎?" - "位置" - "存取這台裝置的位置資訊" - "要允許「%1$s」存取這個裝置的位置資訊嗎?" - "該應用程式只有在你使用時,才能存取位置資訊" - "要<b>一律允許</b>「%1$s」存取這個裝置的位置資訊嗎?" - "目前應用程式只有在你使用時,才能存取位置資訊" - "日曆" - "存取你的日曆" - "要允許「%1$s」存取你的日曆嗎?" - "簡訊" - "傳送及查看簡訊" - "要允許「%1$s」傳送及查看簡訊嗎?" - "儲存空間" - "存取裝置中的相片、媒體和檔案" - "要允許「%1$s」存取裝置中的相片、媒體和檔案嗎?" - "麥克風" - "錄音" - "要允許「%1$s」錄音嗎?" - "體能活動記錄" - "存取你的體能活動記錄" - "要允許「%1$s」<b></b>存取你的體能活動記錄嗎?" - "相機" - "拍照及錄製影片" - "要允許「%1$s」拍攝相片及錄製影片嗎?" - "通話記錄" - "讀取及寫入通話記錄" - "要允許「%1$s」<b></b>存取你的通話記錄嗎?" - "電話" - "撥打電話及管理通話" - "要允許「%1$s」撥打電話及管理通話嗎?" - "人體感測器" - "存取與你生命徵象相關的感應器資料" - "要允許「%1$s」存取與你生命徵象相關的感應器資料嗎?" - "擷取視窗內容" - "檢查你存取的視窗內容。" - "啟用輕觸探索功能" - "朗讀你輕觸的項目,而且可讓你用手勢探索螢幕。" - "記錄你輸入的文字" - "包括個人資料,如信用卡號碼和密碼。" - "控管顯示畫面放大功能" - "控管顯示畫面的縮放等級和位置。" - "使用手勢" - "可使用輕觸、滑動和雙指撥動等手勢。" - "指紋手勢" - "可以擷取使用者對裝置的指紋感應器執行的手勢。" - "停用或變更狀態列" - "允許應用程式停用狀態列,並可新增或移除系統圖示。" - "以狀態列顯示" - "允許應用程式以狀態列顯示。" - "展開/收攏狀態列" - "允許應用程式展開或收合狀態列。" - "安裝捷徑" - "允許應用程式自動新增主螢幕捷徑。" - "解除安裝捷徑" - "允許應用程式自動移除主螢幕捷徑。" - "重設撥號路徑" - "允許應用程式在撥打電話期間查看撥出的電話號碼,並可選擇改撥其他號碼或中斷通話。" - "接聽電話" - "允許應用程式接聽來電。" - "接收簡訊 (SMS)" - "允許應用程式接收和處理簡訊。這項設定可讓應用程式監控傳送至你裝置的訊息,或在你閱讀訊息前擅自刪除訊息。" - "接收簡訊 (MMS)" - "允許應用程式接收和處理多媒體訊息。這項設定可讓應用程式監控傳送至你裝置的訊息,或在你閱讀訊息前擅自刪除訊息。" - "讀取區域廣播訊息" - "允許應用程式讀取你裝置收到的區域廣播訊息。某些地點會發出區域廣播警示,警告你有緊急狀況發生。請注意,惡意應用程式可能會在裝置收到緊急區域廣播時,干擾裝置的效能或運作。" - "讀取訂閱資訊提供" - "允許應用程式取得目前已同步處理的資訊提供詳細資料。" - "傳送及查看簡訊" - "允許應用程式傳送簡訊,但可能產生非預期的費用。惡意應用程式可能利用此功能擅自傳送簡訊,增加你不必要的額外支出。" - "讀取你的簡訊 (SMS 或 MMS)" - "這個應用程式可讀取所有儲存在平板電腦上的簡訊。" - "這個應用程式可讀取所有儲存在電視上的簡訊。" - "這個應用程式可讀取所有儲存在手機上的簡訊。" - "接收簡訊 (WAP)" - "允許應用程式接收和處理 WAP 訊息。這項權限也能讓應用程式監控訊息,或在你閱讀訊息前擅自刪除訊息。" - "擷取執行中的應用程式" - "允許應用程式擷取最近執行工作的資訊。這項設定可讓應用程式找出裝置所用程式的相關資訊。" - "管理個人資料和裝置擁有者" - "允許應用程式設定個人資料擁有者和裝置擁有者。" - "重新排序正在執行的應用程式" - "允許應用程式將工作移至前景或背景。應用程式可以自行處理,不待你操作。" - "啟用行車模式" - "允許應用程式啟用車用模式。" - "關閉其他應用程式" - "允許應用程式終止其他應用程式的背景處理程序。這項設定可能會導致其他應用程式停止執行。" - "這個應用程式可顯示在其他應用程式上方" - "這個應用程式可顯示在其他應用程式上方或畫面中的其他位置。你可能會無法照常使用應用程式,且其他應用程式的顯示方式可能會受到影響。" - "在背景執行" - "這個應用程式可在背景執行,這樣可能導致耗電速度加快。" - "在背景使用行動數據連線" - "這個應用程式可在背景使用行動數據連線,這樣可能導致數據用量增加。" - "一律執行應用程式" - "允許應用程式的部分內容常駐在記憶體中。這項設定可能會限制其他應用程式可用的記憶體,並拖慢平板電腦運作速度。" - "允許應用程式的部分內容常駐在記憶體中。這項設定可能會限制其他應用程式可用的記憶體,造成電視的運作速度變慢。" - "允許應用程式讓部分內容佔用記憶體,持續執行。這項設定可能會限制其他應用程式可用的記憶體,並拖慢手機運作速度。" - "執行前景服務" - "允許應用程式使用前景服務。" - "測量應用程式儲存空間" - "允許應用程式擷取本身的程式碼、資料及快取大小" - "修改系統設定" - "允許應用程式修改系統設定資料。請注意,惡意應用程式可能利用此功能破壞系統設定。" - "啟動時執行" - "允許應用程式在系統完成開機程序後立即自行啟動。這會增加平板電腦的開機時間,而且會因為系統一直執行該應用程式導致平板電腦的整體運作速度變慢。" - "允許應用程式在系統啟動程序結束後立即自行啟動。這可能會加長電視的開機時間,並拖慢裝置的整體運作速度 (因為系統會一直執行這個應用程式)。" - "允許應用程式在系統完成開機程序後立即自行啟動。這會增加手機的開機時間,而且會因為系統一直執行該應用程式導致手機的整體運作速度變慢。" - "傳送附屬廣播" - "允許應用程式傳送記憶廣播,這類廣播在廣播動作結束後仍繼續存在。請注意,過度使用此功能可能導致平板電腦使用過多的記憶體,導致平板電腦的執行速度變慢或不穩定。" - "允許應用程式傳送記憶廣播,這類廣播在廣播動作結束後仍繼續存在。如果過度使用,可能會使電視佔用過多記憶體,造成運作速度變慢或穩定性降低。" - "允許應用程式傳送記憶廣播,這類廣播在廣播動作結束後仍繼續存在。請注意,過度使用此功能可能導致手機使用過多的記憶體,導致手機的執行速度變慢或不穩定。" - "讀取你的聯絡人" - "允許應用程式讀取平板電腦上儲存的聯絡人資料。這項權限可讓應用程式儲存你的聯絡人資料,惡意應用程式也可能在你不知情的情況下洩露你的聯絡人資料。" - "允許應用程式讀取電視上儲存的聯絡人資料。這項權限可讓應用程式儲存你的聯絡人資料,惡意應用程式也可能在你不知情的情況下洩露你的聯絡人資料。" - "允許應用程式讀取手機上儲存的聯絡人資料。這項權限可讓應用程式儲存你的聯絡人資料,惡意應用程式也可能在你不知情的情況下洩露你的聯絡人資料。" - "修改你的聯絡人" - "允許應用程式修改平板電腦上儲存的聯絡人資料。這項權限可讓應用程式刪除聯絡人資料。" - "允許應用程式修改電視上儲存的聯絡人資料。這項權限可讓應用程式刪除聯絡人資料。" - "允許應用程式修改手機上儲存的聯絡人資料。這項權限可讓應用程式刪除聯絡人資料。" - "讀取通話記錄" - "這個應用程式可讀取通話記錄。" - "寫入通話記錄" - "允許應用程式修改平板電腦的通話記錄,包括來電和已撥電話相關資料。請注意,惡意應用程式可能濫用此功能刪除或修改你的通話記錄。" - "允許應用程式修改電視的通話記錄,包括來電和已撥電話相關資料。惡意應用程式可能會藉此清除或修改你的通話記錄。" - "允許應用程式修改手機的通話記錄,包括來電和已撥電話相關資料。請注意,惡意應用程式可能濫用此功能刪除或修改你的通話記錄。" - "存取人體感應器 (例如心跳速率監測器)" - "允許應用程式存取感測器所收集的資料 (這類感測器可監測你的體能狀態,例如你的心跳速率)。" - "讀取日曆活動和詳細資訊" - "這個應用程式可讀取所有儲存在平板電腦上的日曆活動資訊,以及共用或儲存日曆資料。" - "這個應用程式可讀取所有儲存在電視上的日曆活動資訊,以及共用或儲存日曆資料。" - "這個應用程式可讀取所有儲存在手機上的日曆活動資訊,以及共用或儲存日曆資料。" - "在未經擁有者同意的情況下新增或修改日曆活動,以及傳送電子郵件給邀請對象" - "這個應用程式可在平板電腦上新增、移除或變更日曆活動。提醒你,這個應用程式可能會以日曆擁有者的名義傳送訊息,或是在不通知日曆擁有者的情況下變更活動內容。" - "這個應用程式可在電視上新增、移除或變更日曆活動。提醒你,這個應用程式可能會以日曆擁有者的名義傳送訊息,或是在不通知日曆擁有者的情況下變更活動內容。" - "這個應用程式可在手機上新增、移除或變更日曆活動。提醒你,這個應用程式可能會以日曆擁有者的名義傳送訊息,或是在不通知日曆擁有者的情況下變更活動內容。" - "接收額外的位置提供者指令" - "允許應用程式存取額外位置資訊提供者指令。這項設定可能會造成應用程式干擾 GPS 或其他位置資訊來源的運作。" - "僅可在前景中取得精確位置" - "這個應用程式只能在前景中取得你的確切位置。你必須在手機上開啟這些定位服務,才能讓這個應用程式取得確切位置。請注意,這麼做可能會增加耗電量。" - "只有在前景執行時才能根據網路取得概略位置" - "只要這個應用程式在前景執行,就可以根據網路來源 (例如基地台和 Wi-Fi 網路) 取得你的位置資訊。如要讓這個應用程式使用定位服務,你必須在平板電腦上開啟這些服務。" - "只要這個應用程式在前景執行,就可以根據網路來源 (例如基地台和 Wi-Fi 網路) 取得你的位置資訊。如要讓這個應用程式使用定位服務,你必須在電視上開啟這些服務。" - "這個應用程式只能在前景執行時取得你的概略位置。你必須在車上開啟這些定位服務,這個應用程式才能取得位置資訊。" - "只要這個應用程式在前景執行,就可以根據網路來源 (例如基地台和 Wi-Fi 網路) 取得你的位置資訊。如要讓這個應用程式使用定位服務,你必須在手機上開啟這些服務。" - "在背景存取位置資訊" - "除了概略位置或精確位置的存取權外,若您另外授予這項存取權,這個應用程式就能在背景執行時存取位置資訊。" - "變更音訊設定" - "允許應用程式修改全域音訊設定,例如音量和用來輸出的喇叭。" - "錄製音訊" - "這個應用程式隨時可使用麥克風錄音。" - "傳送指令到 SIM 卡" - "允許應用程式傳送指令到 SIM 卡。這麼做非常危險。" - "辨識體能活動" - "這個應用程式可以辨識你從事的體能活動。" - "拍攝相片和影片" - "這個應用程式隨時可使用相機拍照及錄影。" - "允許應用程式或服務接收相機裝置開啟或關閉的相關回呼。" - "當任何相機裝置在開啟 (由應用程式) 或關閉時,這個應用程式就能接收回呼。" - "控制震動" - "允許應用程式控制震動。" - "直接撥打電話號碼" - "允許應用程式自行撥打電話,但可能產生非預期的費用或撥打非預期的電話。注意:這項權限不允許應用程式撥打緊急電話。惡意應用程式可能利用此功能擅自撥打電話,增加你不必要的額外支出。" - "存取 IMS 撥號服務" - "允許應用程式自動使用 IMS 服務撥打電話。" - "讀取手機狀態和識別碼" - "允許應用程式使用裝置的電話功能。這項權限可讓應用程式判讀手機號碼和裝置 ID、是否正在通話中,以及所撥打的對方號碼。" - "透過系統接通來電" - "允許應用程式透過系統接通來電,以改善通話品質。" - "查看及控管透過系統撥打的電話。" - "允許應用程式查看及控管在裝置上撥出的電話,包括撥打的電話號碼和通話狀態等資訊。" - "繼續進行來自其他應用程式的通話" - "允許應用程式繼續進行在其他應用程式中發起的通話。" - "讀取電話號碼" - "允許應用程式存取裝置上的電話號碼資料。" - "讓車輛螢幕保持開啟" - "防止平板電腦進入休眠狀態" - "防止電視進入休眠狀態" - "防止手機進入待命狀態" - "允許應用程式讓車輛螢幕保持開啟。" - "允許應用程式防止平板電腦進入休眠狀態。" - "允許應用程式防止電視進入休眠狀態。" - "允許應用程式防止手機進入休眠狀態。" - "傳送紅外線" - "允許應用程式使用平板電腦的紅外線傳送器。" - "允許應用程式變更電視的紅外線發射器。" - "允許應用程式使用手機的紅外線傳送器。" - "設定桌布" - "允許應用程式設定系統桌布。" - "調整桌布大小" - "允許應用程式設定系統桌布大小的提示。" - "設定時區" - "允許應用程式變更平板電腦的時區。" - "允許應用程式變更電視的時區。" - "允許應用程式變更手機的時區。" - "尋找裝置上的帳戶" - "允許應用程式取得平板電腦上所記憶的帳戶清單,其中可能包括你安裝的應用程式所建立的任何帳戶。" - "允許應用程式取得電視已知的帳戶清單,可能包括你已安裝的應用程式建立的任何帳戶。" - "允許應用程式取得手機上所記憶的帳戶清單,其中可能包括你安裝的應用程式所建立的任何帳戶。" - "查看網路連線" - "允許應用程式查看網路連線相關資訊,例如有哪些網路,以及已連上哪些網路。" - "擁有完整的網路存取權" - "允許應用程式建立網路通訊端及使用自訂網路通訊協定。瀏覽器和其他應用程式會提供將資料傳輸到網際網路的方法,因此不需要這項權限也能將資料傳輸到網際網路。" - "變更網路連線" - "允許應用程式變更網路連線狀態。" - "變更數據連線" - "允許應用程式變更共用網路的連線狀態。" - "查看 Wi-Fi 連線" - "允許應用程式查看 Wi-Fi 網路相關資訊,例如是否已啟用 Wi-Fi,以及所連上 Wi-Fi 裝置的名稱。" - "建立及中斷 Wi-Fi 連線" - "允許應用程式與 Wi-Fi 存取點連線或中斷連線,並可變更 Wi-Fi 網路的裝置設定。" - "允許接收 Wi-Fi 多點傳播封包" - "允許應用程式接收透過多點傳播位址傳送給 Wi-Fi 網路上所有裝置 (而不只是傳送給你的平板電腦) 的封包。這項設定會比非多點傳播模式耗用更多電力。" - "允許應用程式接收透過多點傳播位址傳送給 Wi-Fi 網路上所有裝置 (而不只是傳送給你的電視) 的封包。這項設定會比非多點傳播模式耗用更多電力。" - "允許應用程式接收透過多點傳播位址傳送給 Wi-Fi 網路上所有裝置 (而不只是傳送給你的手機) 的封包。這項設定會比非多點傳播模式耗用更多電力。" - "存取藍牙設定" - "允許應用程式設定本機藍牙平板電腦,以及搜尋遠端裝置並配對連線。" - "允許應用程式設定本機藍牙電視,以及搜尋與配對遠端裝置。" - "允許應用程式設定本機藍牙手機,以及搜尋遠端裝置並配對連線。" - "建立或中斷與 WiMAX 網路的連線" - "允許應用程式判斷是否已啟用 WiMAX,以及判讀任何已連上 WiMAX 網路的相關資訊。" - "變更 WiMAX 狀態" - "允許應用程式建立或中斷平板電腦與 WiMAX 網路的連線。" - "允許應用程式建立及中斷電視的 WiMAX 網路連線。" - "允許應用程式建立或中斷手機與 WiMAX 網路的連線。" - "與藍牙裝置配對" - "允許應用程式查看平板電腦的藍牙設定,以及建立和接受與其他配對裝置的連線。" - "允許應用程式查看電視的藍牙設定,以及與配對裝置建立連線/接受配對裝置的連線要求。" - "允許應用程式查看手機的藍牙設定,以及建立和接受與其他配對裝置的連線。" - "控制近距離無線通訊" - "允許應用程式與近距離無線通訊 (NFC) 電子感應標籤、卡片及感應器進行通訊。" - "停用螢幕鎖定" - "允許應用程式停用按鍵鎖定以及其他相關的密碼安全性功能。例如:手機收到來電時停用按鍵鎖定,通話結束後重新啟用按鍵鎖定。" - "要求螢幕鎖定的複雜度" - "允許應用程式記住螢幕鎖定的複雜度 (高、中、低或無),即螢幕鎖定的可能長度範圍和類型。這樣一來,應用程式還能建議使用者將螢幕鎖定更新為特定複雜度,但使用者可選擇忽略建議並離開應用程式。請注意,系統不會以純文字格式儲存螢幕鎖定選項的內容,因此應用程式不會知道確切密碼。" - "使用生物特徵硬體" - "允許應用程式使用生物特徵硬體進行驗證" - "管理指紋硬體" - "允許應用程式呼叫方法來新增及移除可用的指紋範本" - "使用指紋硬體" - "允許應用程式使用指紋硬體進行驗證" - "修改你的音樂收藏" - "允許應用程式修改你的音樂收藏。" - "修改你的影片收藏" - "允許應用程式修改你的影片收藏。" - "修改你的相片收藏" - "允許應用程式修改你的相片收藏。" - "讀取你的媒體收藏的位置資訊" - "允許應用程式讀取你的媒體收藏的位置資訊。" - "驗證你的身分" - "無法使用生物特徵辨識硬體" - "已取消驗證" - "無法辨識" - "已取消驗證" - "未設定 PIN 碼、解鎖圖案或密碼" - "僅偵測到部分指紋,請再試一次。" - "無法處理指紋,請再試一次。" - "指紋感應器有髒汙。請清潔感應器,然後再試一次。" - "手指移動速度過快,請再試一次。" - "手指移動速度過慢,請再試一次。" - - - "指紋驗證成功" - "臉孔驗證成功" - "臉孔驗證成功,請按下 [確認] 按鈕" - "指紋硬體無法使用。" - "無法儲存指紋,請先移除現有指紋。" - "指紋處理作業逾時,請再試一次。" - "指紋作業已取消。" - "使用者已取消指紋驗證作業。" - "嘗試次數過多,請稍後再試。" - "嘗試次數過多,指紋感應器已停用。" - "請再試一次。" - "未登錄任何指紋。" - "這個裝置沒有指紋感應器。" - "手指 %d" - - - "指紋圖示" - "管理人臉解鎖硬體" - "允許應用程式呼叫方法來新增及移除可用的臉孔範本。" - "使用人臉解鎖硬體" - "允許應用程式使用人臉解鎖硬體進行驗證" - "人臉解鎖" - "請重新註冊你的臉孔" - "為提升辨識精準度,請重新註冊你的臉孔" - "無法擷取精準臉孔資料,請再試一次。" - "亮度過高,請嘗試使用較柔和的照明方式。" - "亮度不足,請嘗試使用較明亮的照明方式。" - "請將手機拿遠一點。" - "請將手機拿近一點。" - "請將手機舉高一點。" - "請將手機拿低一點。" - "請將手機向左移動。" - "請將手機向右移動。" - "請儘可能直視裝置正面。" - "將你的臉孔正對手機。" - "鏡頭過度晃動,請拿穩手機。" - "請重新註冊你的臉孔。" - "已無法辨識臉孔,請再試一次。" - "與先前的姿勢太相似,請換一個姿勢。" - "請將你的頭部稍微向左或向右轉動。" - "請將你的頭部稍微向上或向下傾斜。" - "請將你的頭部稍微向左或向右旋轉。" - "請移除任何會遮住臉孔的物體。" - "請清理螢幕頂端,包括黑色橫列" - - - "相關硬體無法使用,因此無法驗證臉孔。" - "請重新進行人臉解鎖。" - "無法儲存新的臉孔資料,請先刪除舊的資料。" - "臉孔處理作業已取消。" - "使用者已取消人臉解鎖作業。" - "嘗試次數過多,請稍後再試。" - "嘗試次數過多,因此系統已停用人臉解鎖功能。" - "無法驗證臉孔,請再試一次。" - "你尚未設定人臉解鎖功能。" - "這個裝置不支援人臉解鎖功能。" - "臉孔 %d" - - - "臉孔圖示" - "讀取同步處理設定" - "允許應用程式讀取帳戶的同步處理設定,例如判斷「使用者」應用程式是否和某個帳戶進行同步處理。" - "開啟及關閉同步功能" - "允許應用程式修改帳戶的同步處理設定,例如讓「使用者」應用程式與某個帳戶進行同步處理。" - "讀取同步處理狀態" - "允許應用程式讀取帳戶的同步處理統計資料,包括同步處理活動記錄,以及同步處理的資料量。" - "讀取共用儲存空間中的內容" - "允許這個應用程式讀取共用儲存空間中的內容。" - "修改或刪除共用儲存空間中的內容" - "允許這個應用程式寫入共用儲存空間中的內容。" - "撥打/接聽 SIP 通話" - "允許應用程式撥打及接聽 SIP 通話。" - "註冊新的電信 SIM 卡連線" - "允許應用程式註冊新的電信 SIM 卡連線。" - "註冊新的電信連線" - "允許應用程式註冊新的電信連線。" - "管理電信連線" - "允許應用程式管理電信連線。" - "與通話螢幕互動" - "允許應用程式控制使用者看到通話螢幕的時機和方式。" - "與電話語音服務互動" - "允許應用程式與電話語音服務互動以撥接電話。" - "為使用者提供通話體驗" - "允許應用程式向使用者提供通話體驗。" - "讀取網路用量記錄" - "允許應用程式讀取特定網路和應用程式的網路使用記錄。" - "管理網路政策" - "允許應用程式管理網路政策並定義應用程式專用規則。" - "修改網路使用量計算方式" - "允許應用程式修改應用程式網路使用量的計算方式 (不建議一般應用程式使用)。" - "存取通知" - "允許應用程式擷取、檢查及清除通知 (包括由其他應用程式發布的通知)。" - "繫結至通知接聽器服務" - "允許應用程式繫結至通知接聽器服務的頂層介面 (一般應用程式不需使用)。" - "繫結至條件提供者服務" - "允許應用程式繫結至條件提供者服務的頂層介面 (一般應用程式並不需要)。" - "繫結至 Dream 服務" - "允許應用程式繫結至 Dream 服務的頂層介面 (一般應用程式不需使用)。" - "叫用電信業者提供的設定應用程式" - "允許應用程式叫用電信業者提供的設定應用程式 (一般應用程式並不需要)。" - "監聽網路狀況觀察資訊" - "允許應用程式監聽網路狀況觀察資訊 (一般應用程式並不需要)。" - "變更輸入裝置校正設定" - "允許應用程式修改觸控螢幕的校正參數 (一般應用程式並不需要)。" - "存取 DRM 憑證" - "允許應用程式佈建及使用 DRM 憑證 (一般應用程式並不需要)。" - "接收 Android Beam 的傳輸狀態" - "允許應用程式接收 Android Beam 目前傳輸的資訊" - "移除 DRM 憑證" - "允許應用程式移除 DRM 憑證 (一般應用程式並不需要)。" - "與電信業者簡訊服務繫結" - "允許應用程式與電信業者簡訊服務的頂層介面繫結 (一般應用程式並不需要)。" - "與電信業者服務繫結" - "允許應用程式繫結至電信業者服務 (一般應用程式並不需要)。" - "存取「零打擾」模式" - "允許應用程式讀取及寫入「零打擾」設定。" - "啟動檢視權限用途" - "允許應用程式開始使用其他應用程式 (一般應用程式並不需要)。" - "設定密碼規則" - "管理螢幕鎖定密碼和 PIN 碼支援的字元和長度上限。" - "監控螢幕解鎖嘗試次數" - "監控螢幕解鎖時密碼輸入錯誤的次數;如果密碼輸入錯誤的次數過多,則會鎖住平板電腦或全部清除平板電腦中的資料。" - "螢幕鎖定時監測密碼輸入錯誤次數,並於密碼輸入錯誤次數過多時鎖定電視,或是將電視的資料全部清除。" - "監控螢幕解鎖時密碼輸入錯誤的次數;如果密碼輸入錯誤的次數過多,則會鎖住手機或清除手機的所有資料。" - "監控螢幕解鎖密碼輸入錯誤的次數;如果輸入錯誤的次數超過上限,系統會將平板電腦鎖定,或將這個使用者的資料全部清除。" - "監控螢幕解鎖密碼輸入錯誤的次數;如果輸入錯誤的次數超過上限,系統會將電視鎖定,或將這個使用者的資料全部清除。" - "監控螢幕解鎖密碼輸入錯誤的次數;如果輸入錯誤的次數超過上限,系統會將手機鎖定,或將這個使用者的資料全部清除。" - "變更鎖定螢幕方式" - "變更鎖定螢幕方式。" - "鎖定螢幕" - "控制鎖定螢幕的方式和時間。" - "清除所有資料" - "恢復原廠設定,不提出警告就直接清除平板電腦的資料。" - "不經警告即讓電視恢復原廠設定,藉此清除電視的資料。" - "恢復原廠設定,不提出警告就直接清除手機的資料。" - "清除使用者資料" - "將這個使用者的資料從這台平板電腦中清除,而不事先發出警告。" - "將這個使用者的資料從這台電視中清除,而不事先發出警告。" - "將這個使用者的資料從這支手機中清除,而不事先發出警告。" - "設定裝置全域 Proxy" - "設定政策啟用時要使用的裝置全域 Proxy。只有裝置擁有者可以設定全域 Proxy。" - "設定螢幕鎖定密碼到期日" - "調整螢幕鎖定密碼、PIN 碼或解鎖圖案的強制變更頻率。" - "設定儲存裝置加密" - "必須為儲存的應用程式資料進行加密。" - "停用相機" - "禁止使用所有裝置相機。" - "停用螢幕鎖定的部分功能" - "禁止使用螢幕鎖定的部分功能。" - - "住家電話" - "行動電話" - "公司電話" - "公司傳真" - "住家傳真" - "呼叫器" - "其他" - "自訂" - - - "主要信箱" - "公司信箱" - "其他信箱" - "自訂" - - - "住家" - "公司" - "其他" - "自訂" - - - "住家" - "工作" - "其他" - "自訂" - - - "工作" - "其他" - "自訂" - - - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Google Talk" - "ICQ" - "Jabber" - - "自訂" - "住家" - "手機" - "公司" - "公司傳真" - "住家傳真" - "呼叫器" - "其他" - "回撥電話" - "車用電話" - "公司代表號" - "ISDN" - "代表號" - "其他傳真" - "無線電" - "電報" - "TTY/TDD" - "公司手機" - "公司呼叫器" - "助理" - "多媒體簡訊" - "自訂" - "生日" - "週年紀念日" - "其他" - "自訂" - "住家" - "公司" - "其他" - "行動裝置" - "自訂" - "住家" - "公司" - "其他" - "自訂" - "住家" - "公司" - "其他" - "自訂" - "AIM" - "Windows Live" - "Yahoo" - "Skype" - "QQ" - "Hangouts" - "ICQ" - "Jabber" - "網路會議" - "公司" - "其他" - "自訂" - "自訂" - "助理" - "兄弟" - "子女" - "同居人" - "父親" - "好友" - "經理" - "母親" - "父母" - "夥伴" - "介紹人" - "親戚" - "姊妹" - "配偶" - "自訂" - "住家" - "公司" - "其他" - "找不到可用來查看這位聯絡人的應用程式。" - "輸入 PIN 碼" - "輸入 PUK 碼和新 PIN 碼" - "PUK 碼" - "新 PIN 碼" - "輕觸即可輸入密碼" - "輸入密碼即可解鎖" - "輸入 PIN 即可解鎖" - "PIN 碼不正確。" - "如要解鎖,請按 Menu 鍵,然後按 0。" - "緊急電話號碼" - "沒有服務" - "螢幕已鎖定。" - "按下 [Menu] 解鎖或撥打緊急電話。" - "按下 Menu 鍵解鎖。" - "畫出解鎖圖案" - "緊急撥號" - "返回通話" - "正確!" - "再試一次" - "再試一次" - "解鎖即可使用所有功能和資料" - "已超過人臉解鎖嘗試次數上限" - "找不到 SIM 卡" - "平板電腦中沒有 SIM 卡。" - "電視中沒有 SIM 卡。" - "手機未插入 SIM 卡。" - "插入 SIM 卡。" - "找不到或無法讀取 SIM 卡。請插入 SIM 卡。" - "SIM 卡無法使用。" - "你的 SIM 卡已遭永久停用。\n請與你的無線網路服務供應商聯絡,以取得其他 SIM 卡。" - "上一首曲目" - "下一首曲目" - "暫停" - "播放" - "停止" - "倒轉" - "快轉" - "僅可撥打緊急電話" - "網路已鎖定" - "SIM 的 PUK 已鎖定。" - "參閱《使用者指南》或與客戶服務中心聯絡。" - "SIM 卡已鎖定。" - "解鎖 SIM 卡中…" - "你的解鎖圖案已畫錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你的密碼已輸錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你的 PIN 已輸錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你的解鎖圖案已畫錯 %1$d 次,如果再嘗試 %2$d 次仍未成功,系統就會要求你使用你的 Google 登入資訊解除平板電腦的鎖定狀態。\n\n請在 %3$d 秒後再試一次。" - "你已畫錯解鎖圖案 %1$d 次,目前還剩 %2$d 次嘗試機會。如果失敗次數超過限制,你就必須登入 Google 帳戶才能解鎖電視。\n\n請過 %3$d 秒後再試一次。" - "你的解鎖圖案已畫錯 %1$d 次,如果再試 %2$d 次仍未成功,系統就會要求你使用你的 Google 登入資訊解除手機的鎖定狀態。\n\n請在 %3$d 秒後再試一次。" - "你嘗試解除這個平板電腦的鎖定已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,平板電腦將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解鎖電視已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,電視將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解除這支手機的鎖定已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,手機將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解除這個平板電腦的鎖定已失敗 %d 次,平板電腦現在將恢復原廠設定。" - "你嘗試解鎖電視已失敗 %d 次,電視現在將恢復原廠設定。" - "你嘗試解除這支手機的鎖定已失敗 %d 次,手機現在將恢復原廠設定。" - "%d 秒後再試一次。" - "忘記解鎖圖案?" - "帳戶解鎖" - "圖案嘗試次數過多" - "如要解除鎖定,請使用 Google 帳戶登入。" - "使用者名稱 (電子郵件)" - "密碼" - "登入" - "使用者名稱或密碼錯誤。" - "忘了使用者名稱或密碼?\n請造訪 ""google.com/accounts/recovery""。" - "檢查中…" - "解除封鎖" - "開啟音效" - "關閉音效" - "已開始繪製解鎖圖案" - "已清除解鎖圖案" - "已加入 1 格" - "已加入圓點 %1$s" - "已畫出解鎖圖案" - "解鎖圖案區域。" - "%1$s。第 %2$d 個小工具,共 %3$d 個。" - "新增小工具。" - "空白" - "解鎖區域已展開。" - "解鎖區域已收合。" - "%1$s小工具。" - "使用者選取工具" - "狀態" - "相機" - "媒體控制項" - "已開始將小工具重新排序。" - "小工具重新排序已完成。" - "%1$s小工具已刪除。" - "展開解鎖區域。" - "滑動解鎖。" - "圖案解鎖。" - "人臉解鎖。" - "PIN 解鎖。" - "SIM 卡 PIN 碼解鎖。" - "SIM 卡 PUK 解鎖。" - "密碼解鎖。" - "圖案區域。" - "滑動區域。" - "?123" - "ABC" - "ALT 鍵" - "字元" - "字詞" - "連結" - "行" - "出廠測試失敗" - "只有安裝在 /system/app 裡的程式才能支援 FACTORY_TEST 操作。" - "找不到提供 FACTORY_TEST 的程式。" - "重新開機" - "「%s」網頁指出:" - "JavaScript" - "確認瀏覽" - "離開這一頁" - "停留在這一頁" - "%s\n\n你確定要前往其他網頁瀏覽嗎?" - "確認" - "提示:輕觸兩下即可縮放。" - "自動填入功能" - "設定自動填入功能" - "%1$s 的自動填入功能" - " //*** Empty segment here as a separator ***//" - "$1$2$3" - ", " - "$1$2$3" - "省" - "郵遞區號" - "州/省" - "郵遞區號" - "縣/市" - "島" - "行政區" - "省" - "縣" - "教區" - "區" - "大公國" - "讀取你的網路書籤和記錄" - "允許應用程式讀取瀏覽器造訪過的所有網址記錄,以及瀏覽器的所有書籤。注意:這項權限不適用於第三方瀏覽器或其他具備網頁瀏覽功能的應用程式。" - "寫入網路書籤和記錄" - "允許應用程式修改平板電腦上儲存的瀏覽記錄或書籤。這項設定會讓應用程式具有清除或修改瀏覽資料的權限。注意:這項權限不適用於第三方瀏覽器或其他具備網頁瀏覽功能的應用程式。" - "允許應用程式修改電視上儲存的瀏覽器記錄或書籤。應用程式可能會藉由這項權限清除或修改瀏覽器資料。注意:第三方瀏覽器或其他具備網路瀏覽功能的應用程式不一定會強制使用這項權限。" - "允許應用程式修改手機上儲存的瀏覽記錄或書籤。這項設定會讓應用程式具有清除或修改瀏覽資料的權限。注意:這項權限不適用於第三方瀏覽器或其他具備網頁瀏覽功能的應用程式。" - "設定鬧鐘" - "允許應用程式在安裝的鬧鐘應用程式中設定鬧鐘,某些鬧鐘應用程式可能無法執行這項功能。" - "新增語音留言" - "允許應用程式將訊息新增至你的語音信箱收件匣。" - "修改瀏覽器地理資訊的權限" - "允許應用程式修改瀏覽器的地理位置權限。請注意,惡意應用程式可能利用此功能允許將你的位置資訊任意傳送給某些網站。" - "是否記住此密碼?" - "現在不要" - "記住" - "永不" - "你沒有開啟這個頁面的權限。" - "文字已複製到剪貼簿。" - "已複製" - "更多" - "[Menu] +" - "Meta +" - "Ctrl +" - "Alt +" - "Shift +" - "Sym +" - "Fn +" - "空白鍵" - "輸入" - "刪除" - "搜尋" - "搜尋…" - "搜尋" - "搜尋查詢" - "清除查詢" - "提交查詢" - "語音搜尋" - "啟用輕觸探索?" - "%1$s 需要啟用「輕觸探索」。開啟這項功能時,系統會在你的手指輕觸螢幕上的物件時顯示或朗讀說明,你也可以執行手勢來與平板電腦互動。" - "%1$s 需要啟用「輕觸探索」。開啟這項功能時,系統會在你的手指輕觸螢幕上的物件時顯示或朗讀說明,你也可以執行手勢來與手機互動。" - "1 個月以前" - "1 個月前" - - 過去 %d 天內 - 過去 %d 天內 + + + Silent mode + + Sound is OFF + + Sound is ON + + Airplane mode + + Airplane mode is ON + + Airplane mode is OFF + + Settings + + Assist + + Voice Assist + + Lockdown + + 999+ + + + + New notification + + Virtual keyboard + + Physical keyboard + + Security + + Car mode + + Account status + + Developer messages + + Updates + + Network status + + Network alerts + + Network available + + VPN status + + Alerts from your IT admin + + Alerts + + Retail demo + + USB connection + + App running + + Apps consuming battery + + %1$s is + using battery + + %1$d apps + are using battery + + Tap for details on battery and + data usage + + %1$s, + %2$s + + Safe mode + + Android System + + Switch to personal profile + + Switch to work profile + + Contacts + + access your contacts + + Allow + <b>%1$s</b> to access your contacts? + + Location + + access this device\'s location + + Allow + <b>%1$s</b> to access this device\'s location? + + The app will only have access to the location while you\u2019re using the app + + Allow + <b>%1$s</b> to access this device\u2019s location <b>all the time</b>? + + App currently can access location only while you\u2019re using the app + + Calendar + + access your calendar + + Allow + <b>%1$s</b> to access your calendar? + + SMS + + send and view SMS messages + + Allow + <b>%1$s</b> to send and view SMS messages? + + Storage + + access photos, media, and files on your device + + Allow + <b>%1$s</b> to access photos, media, and files on your device? + + Microphone + + record audio + + Allow + <b>%1$s</b> to record audio? + + Physical activity + + access your physical activity + + Allow + <b>%1$s</b> to access your physical activity? + + Camera + + take pictures and record video + + Allow + <b>%1$s</b> to take pictures and record video? + + Call logs + + read and write phone call log + + Allow + <b>%1$s</b> to access your phone call logs? + + Phone + + make and manage phone calls + + Allow + <b>%1$s</b> to make and manage phone calls? + + Body sensors + + access sensor data about your vital signs + + Allow + <b>%1$s</b> to access sensor data about your vital signs? + + Retrieve window content + + Inspect the content of a window you\'re + interacting with. + + Turn on Explore by Touch + + Tapped items will be spoken aloud + and the screen can be explored using gestures. + + Observe text you type + + Includes personal data such as credit + card numbers and passwords. + + Control display magnification + + Control the display\'s zoom level and + positioning. + + Perform gestures + + Can tap, swipe, pinch, and perform other + gestures. + + Fingerprint gestures + + Can capture gestures performed on + the device\'s fingerprint sensor. + + + disable or modify status bar + + Allows the app to disable the status bar or add and remove system icons. + + be the status bar + + Allows the app to be the status bar. + + expand/collapse status bar + + Allows the app to expand or collapse the status bar. + + install shortcuts + + Allows an application to add + Homescreen shortcuts without user intervention. + + uninstall shortcuts + + Allows the application to remove + Homescreen shortcuts without user intervention. + + reroute outgoing calls + + Allows the app to see the + number being dialed during an outgoing call with the option to redirect + the call to a different number or abort the call altogether. + + answer phone calls + + Allows the app to answer an incoming phone call. + + receive text messages (SMS) + + Allows the app to receive and process SMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + receive text messages (MMS) + + Allows the app to receive and process MMS + messages. This means the app could monitor or delete messages sent to your + device without showing them to you. + + read cell broadcast messages + + Allows the app to read + cell broadcast messages received by your device. Cell broadcast alerts + are delivered in some locations to warn you of emergency situations. + Malicious apps may interfere with the performance or operation of your + device when an emergency cell broadcast is received. + + read subscribed feeds + + Allows the app to get details about the currently synced feeds. + + send and view SMS messages + + Allows the app to send SMS messages. + This may result in unexpected charges. Malicious apps may cost you money by + sending messages without your confirmation. + + read your text messages (SMS or MMS) + + This app can read all SMS (text) messages stored on your tablet. + + This app can read all SMS (text) messages stored on your TV. + + This app can read all SMS (text) messages stored on your phone. + + receive text messages (WAP) + + Allows the app to receive and process + WAP messages. This permission includes the ability to monitor or delete + messages sent to you without showing them to you. + + retrieve running apps + + Allows the app to retrieve information + about currently and recently running tasks. This may allow the app to + discover information about which applications are used on the device. + + manage profile and device owners + + Allows apps to set the profile owners and the device owner. + + reorder running apps + + Allows the app to move tasks to the + foreground and background. The app may do this without your input. + + enable car mode + + Allows the app to + enable the car mode. + + close other apps + + Allows the app to end + background processes of other apps. This may cause other apps to stop + running. + + This app can appear on top of other apps + + This app can appear on top of other apps or other parts of the screen. This may interfere with normal app usage and change the way that other apps appear. + + run in the background + + This app can run in the background. This may drain battery faster. + + use data in the background + + This app can use data in the background. This may increase data usage. + + make app always run + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the tablet. + + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the TV. + Allows the app to make parts of itself persistent in memory. This can limit memory available to other apps slowing down the phone. + + run foreground service + + Allows the app to make use of foreground services. + + measure app storage space + + Allows the app to retrieve its code, data, and cache sizes + + modify system settings + + Allows the app to modify the + system\'s settings data. Malicious apps may corrupt your system\'s + configuration. + + run at startup + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the tablet and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the TV and allow the + app to slow down the overall tablet by always running. + + Allows the app to + have itself started as soon as the system has finished booting. + This can make it take longer to start the phone and allow the + app to slow down the overall phone by always running. + + send sticky broadcast + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the tablet slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive use + may make the TV slow or unstable by causing it to use too much memory. + + + Allows the app to + send sticky broadcasts, which remain after the broadcast ends. Excessive + use may make the phone slow or unstable by causing it to use too + much memory. + + read your contacts + + Allows the app to read data about your contacts stored on your tablet. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your TV. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + Allows the app to read data about your contacts stored on your phone. + This permission allows apps to save your contact data, and malicious apps may share contact data without your knowledge. + + modify your contacts + + Allows the app to modify the data about your contacts stored on your tablet. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your TV. + This permission allows apps to delete contact data. + + Allows the app to modify the data about your contacts stored on your phone. + This permission allows apps to delete contact data. + + read call log + + This app can read your call history. + + write call log + + Allows the app to modify your tablet\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your TV\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + Allows the app to modify your phone\'s call log, including data about incoming and outgoing calls. + Malicious apps may use this to erase or modify your call log. + + access body sensors (like heart rate monitors) + + + Allows the app to access data from sensors + that monitor your physical condition, such as your heart rate. + + Read calendar events and details + + This app can read all calendar events stored on your tablet and share or save your calendar data. + + This app can read all calendar events stored on your TV and share or save your calendar data. + + This app can read all calendar events stored on your phone and share or save your calendar data. + + add or modify calendar events and send email to guests without owners\' knowledge + + This app can add, remove, or change calendar events on your tablet. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your TV. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + This app can add, remove, or change calendar events on your phone. This app can send messages that may appear to come from calendar owners, or change events without notifying their owners. + + access extra location provider commands + + Allows the app to access + extra location provider commands. This may allow the app to interfere + with the operation of the GPS or other location sources. + + access precise location only in the foreground + + This app can get your exact location only when it is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. This may increase battery consumption. + + access approximate location (network-based) only in the foreground + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your tablet for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when when the app is in the foreground. These location services must be turned on and available on your TV for the app to be able to use them. + + This app can get your approximate location only when it is in the foreground. These location services must be turned on and available on your car for the app to be able to use them. + + This app can get your location based on network sources such as cell towers and Wi-Fi networks, but only when the app is in the foreground. These location services must be turned on and available on your phone for the app to be able to use them. + + access location in the background + + If this is granted additionally to the approximate or precise location access the app can access the location while running in the background. + + change your audio settings + + Allows the app to modify global audio settings such as volume and which speaker is used for output. + + record audio + + This app can record audio using the microphone at any time. + + send commands to the SIM + + Allows the app to send commands to the SIM. This is very dangerous. + + recognize physical activity + + This app can recognize your physical activity. + + take pictures and videos + + This app can take pictures and record videos using the camera at any time. + + Allow an application or service to receive callbacks about camera devices being opened or closed. + + This app can receive callbacks when any camera device is being opened (by what application) or closed. + + control vibration + + Allows the app to control the vibrator. + + directly call phone numbers + + Allows the app to call phone numbers + without your intervention. This may result in unexpected charges or calls. + Note that this doesn\'t allow the app to call emergency numbers. + Malicious apps may cost you money by making calls without your + confirmation. + + access IMS call service + + Allows the app to use the IMS service to make calls without your intervention. + + read phone status and identity + + Allows the app to access the phone + features of the device. This permission allows the app to determine the + phone number and device IDs, whether a call is active, and the remote number + connected by a call. + + route calls through the system + + Allows the app to route its calls through the system in + order to improve the calling experience. + + see and control calls through the system. + + Allows the app to see and control ongoing calls on the + device. This includes information such as call numbers for calls and the state of the + calls. + + continue a call from another app + + Allows the app to continue a call which was started in another app. + + read phone numbers + + Allows the app to access the phone numbers of the device. + + keep car screen turned on + + prevent tablet from sleeping + + prevent TV from sleeping + + prevent phone from sleeping + + Allows the app to keep the car screen turned on. + + Allows the app to prevent the tablet from going to sleep. + + Allows the app to prevent the TV from going to sleep. + + Allows the app to prevent the phone from going to sleep. + + transmit infrared + + Allows the app to use the tablet\'s infrared transmitter. + + Allows the app to use the TV\'s infrared transmitter. + + Allows the app to use the phone\'s infrared transmitter. + + set wallpaper + + Allows the app to set the system wallpaper. + + adjust your wallpaper size + + Allows the app to set the system wallpaper size hints. + + set time zone + + Allows the app to change the tablet\'s time zone. + + Allows the app to change the TV\'s time zone. + + Allows the app to change the phone\'s time zone. + + find accounts on the device + + Allows the app to get + the list of accounts known by the tablet. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the TV. This may include any accounts + created by applications you have installed. + + Allows the app to get + the list of accounts known by the phone. This may include any accounts + created by applications you have installed. + + view network connections + + Allows the app to view + information about network connections such as which networks exist and are + connected. + + have full network access + + Allows the app to create + network sockets and use custom network protocols. The browser and other + applications provide means to send data to the internet, so this + permission is not required to send data to the internet. + + change network connectivity + + Allows the app to change the state of network connectivity. + + change tethered connectivity + + Allows the app to change the state of tethered network connectivity. + + view Wi-Fi connections + + Allows the app to view information + about Wi-Fi networking, such as whether Wi-Fi is enabled and name of + connected Wi-Fi devices. + + connect and disconnect from Wi-Fi + + Allows the app to connect to and + disconnect from Wi-Fi access points and to make changes to device + configuration for Wi-Fi networks. + + allow Wi-Fi Multicast reception + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your tablet. It uses more power than the non-multicast mode. + + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your TV. It uses more power than the non-multicast mode. + Allows the app to receive + packets sent to all devices on a Wi-Fi network using multicast addresses, + not just your phone. It uses more power than the non-multicast mode. + + access Bluetooth settings + + Allows the app to + configure the local Bluetooth tablet, and to discover and pair with remote + devices. + + Allows the app to + configure the local Bluetooth TV, and to discover and pair with remote + devices. + + Allows the app to configure + the local Bluetooth phone, and to discover and pair with remote devices. + connect and disconnect from WiMAX + Allows the app to determine whether + WiMAX is enabled and information about any WiMAX networks that are + connected. + change WiMAX state + Allows the app to + connect the tablet to and disconnect the tablet from WiMAX networks. + Allows the app to + connect the TV to and disconnect the TV from WiMAX networks. + Allows the app to + connect the phone to and disconnect the phone from WiMAX networks. + + pair with Bluetooth devices + + Allows the app to view the + configuration of Bluetooth on the tablet, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of Bluetooth on the TV, and to make and accept + connections with paired devices. + + Allows the app to view the + configuration of the Bluetooth on the phone, and to make and accept + connections with paired devices. + + control Near Field Communication + + Allows the app to communicate + with Near Field Communication (NFC) tags, cards, and readers. + + disable your screen lock + + Allows the app to disable the + keylock and any associated password security. For example, the phone + disables the keylock when receiving an incoming phone call, then + re-enables the keylock when the call is finished. + + request screen lock complexity + + Allows the app to learn the screen + lock complexity level (high, medium, low or none), which indicates the possible range of + length and type of the screen lock. The app can also suggest to users that they update the + screen lock to a certain level but users can freely ignore and navigate away. Note that the + screen lock is not stored in plaintext so the app does not know the exact password. + + + use biometric hardware + + Allows the app to use biometric hardware for authentication + + manage fingerprint hardware + + Allows the app to invoke methods to add and delete fingerprint templates for use. + + use fingerprint hardware + + Allows the app to use fingerprint hardware for authentication + + modify your music collection + + Allows the app to modify your music collection. + + modify your video collection + + Allows the app to modify your video collection. + + modify your photo collection + + Allows the app to modify your photo collection. + + read locations from your media collection + + Allows the app to read locations from your media collection. + + Verify it\u2018s you + + Biometric hardware unavailable + + Authentication canceled + + Not recognized + + Authentication canceled + + No pin, pattern, or password set + + Partial fingerprint detected. Please try again. + + Couldn\'t process fingerprint. Please try again. + + Fingerprint sensor is dirty. Please clean and try again. + + Finger moved too fast. Please try again. + + Finger moved too slow. Please try again. + + + + Fingerprint authenticated + + Face authenticated + + Face authenticated, please press confirm + + Fingerprint hardware not available. + + Fingerprint can\'t be stored. Please remove an existing fingerprint. + + Fingerprint time out reached. Try again. + + Fingerprint operation canceled. + + Fingerprint operation canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Fingerprint sensor disabled. + + Try again. + + No fingerprints enrolled. + + This device does not have a fingerprint sensor. + + Finger %d + + + + Fingerprint icon + + manage face unlock hardware + + Allows the app to invoke methods to add and delete facial templates for use. + + use face unlock hardware + + Allows the app to use face unlock hardware for authentication + + Face unlock + + Re-enroll your face + + To improve recognition, please re-enroll your face + + Couldn\u2019t capture accurate face data. Try again. + + Too bright. Try gentler lighting. + + Too dark. Try brighter lighting. + + Move phone farther away. + + Move phone closer. + + Move phone higher. + + Move phone lower. + + Move phone to the left. + + Move phone to the right. + + Please look more directly at your device. + + Position your face directly in front of the phone. + + Too much motion. Hold phone steady. + + Please re-enroll your face. + + No longer able to recognize face. Try again. + + Too similar, please change your pose. + + Turn your head a little less. + + Turn your head a little less. + + Turn your head a little less. + + Remove anything hiding your face. + + Clean the top of your screen, including the black bar + + + + Can\u2019t verify face. Hardware not available. + + Try face unlock again. + + Can\u2019t store new face data. Delete an old one first. + + Face operation canceled. + + Face unlock canceled by user. + + Too many attempts. Try again later. + + Too many attempts. Face unlock disabled. + + Can\u2019t verify face. Try again. + + You haven\u2019t set up face unlock. + + Face unlock is not supported on this device. + + Face %d + + + + Face icon + + read sync settings + + Allows the app to read the sync settings for an account. For example, this can determine whether the People app is synced with an account. + + toggle sync on and off + + Allows an app to modify the sync settings for an account. For example, this can be used to enable sync of the People app with an account. + + read sync statistics + + Allows an app to read the sync stats for an account, including the history of sync events and how much data is synced. + + read the contents of your shared storage + + Allows the app to read the contents of your shared storage. + + modify or delete the contents of your shared storage + + Allows the app to write the contents of your shared storage. + + make/receive SIP calls + + Allows the app to make and receive SIP calls. + + register new telecom SIM connections + + Allows the app to register new telecom SIM connections. + + register new telecom connections + + Allows the app to register new telecom connections. + + manage telecom connections + + Allows the app to manage telecom connections. + + interact with in-call screen + + Allows the app to control when and how the user sees the in-call screen. + + interact with telephony services + + Allows the app to interact with telephony services to make/receive calls. + + provide an in-call user experience + + Allows the app to provide an in-call user experience. + + read historical network usage + + Allows the app to read historical network usage for specific networks and apps. + + manage network policy + + Allows the app to manage network policies and define app-specific rules. + + modify network usage accounting + + Allows the app to modify how network usage is accounted against apps. Not for use by normal apps. + + access notifications + + Allows the app to retrieve, examine, and clear notifications, including those posted by other apps. + + bind to a notification listener service + + Allows the holder to bind to the top-level interface of a notification listener service. Should never be needed for normal apps. + + bind to a condition provider service + + Allows the holder to bind to the top-level interface of a condition provider service. Should never be needed for normal apps. + + bind to a dream service + + Allows the holder to bind to the top-level interface of a dream service. Should never be needed for normal apps. + + invoke the carrier-provided configuration app + + Allows the holder to invoke the carrier-provided configuration app. Should never be needed for normal apps. + + listen for observations on network conditions + + Allows an application to listen for observations on network conditions. Should never be needed for normal apps. + change input device calibration + + Allows the app to modify the calibration parameters of the touch screen. Should never be needed for normal apps. + + access DRM certificates + + Allows an application to provision and use DRM certficates. Should never be needed for normal apps. + receive Android Beam transfer status + Allows this application to receive information about current Android Beam transfers + + remove DRM certificates + + Allows an application to remove DRM certficates. Should never be needed for normal apps. + + bind to a carrier messaging service + + Allows the holder to bind to the top-level interface of a carrier messaging service. Should never be needed for normal apps. + + bind to carrier services + + Allows the holder to bind to carrier services. Should never be needed for normal apps. + + access Do Not Disturb + + Allows the app to read and write Do Not Disturb configuration. + + start view permission usage + + Allows the holder to start the permission usage for an app. Should never be needed for normal apps. + restart the system bars + + Restart SystemUIService so that system bars can load themed resources + + + Set password rules + + Control the length and the characters allowed in screen lock passwords and PINs. + + Monitor screen unlock attempts + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all the tablet\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all the TV\'s + data if too many incorrect passwords are typed. + + Monitor the number of incorrect passwords + typed. when unlocking the screen, and lock the phone or erase all the phone\'s + data if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the tablet or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the TV or erase all this user\'s data + if too many incorrect passwords are typed. + Monitor the number of incorrect passwords + typed when unlocking the screen, and lock the phone or erase all this user\'s data + if too many incorrect passwords are typed. + + Change the screen lock + + Change the screen lock. + + Lock the screen + + Control how and when the screen locks. + + Erase all data + + Erase the tablet\'s data without warning by performing a factory data reset. + + Erase the TV\'s data without warning by performing a factory data reset. + + Erase the phone\'s data without warning by performing a factory data reset. + + Erase user data + + Erase this user\'s data on this tablet without warning. + + Erase this user\'s data on this TV without warning. + + Erase this user\'s data on this phone without warning. + + Set the device global proxy + + Set the device global proxy + to be used while policy is enabled. Only the device owner can set the global proxy. + + Set screen lock password expiration + + Change how frequently the screen lock password, PIN, or pattern must be changed. + + Set storage encryption + + Require that stored app data be encrypted. + + Disable cameras + + Prevent use of all device cameras. + + Disable some screen lock features + + Prevent use of some screen lock features. + + + + + Home + Mobile + Work + Work Fax + Home Fax + Pager + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Home + Work + Other + Custom + + + + + + Work + Other + Custom + + + + + + AIM + Windows Live + Yahoo + Skype + QQ + Google Talk + ICQ + Jabber + + + Custom + + Home + + Mobile + + Work + + Work Fax + + Home Fax + + Pager + + Other + + Callback + + Car + + Company Main + + ISDN + + Main + + Other Fax + + Radio + + Telex + + TTY TDD + + Work Mobile + + Work Pager + + Assistant + + MMS + + Custom + + Birthday + + Anniversary + + Other + + Custom + + Home + + Work + + Other + + Mobile + + Custom + + Home + + Work + + Other + + Custom + + Home + + Work + + Other + + Custom + + AIM + + Windows Live + + Yahoo + + Skype + + QQ + + Hangouts + + ICQ + + Jabber + + NetMeeting + + Work + + Other + + Custom + + Custom + + Assistant + + Brother + + Child + + Domestic Partner + + Father + + Friend + + Manager + + Mother + + Parent + + Partner + + Referred by + + Relative + + Sister + + Spouse + + Custom + + Home + + Work + + Other + + No application found to view this contact. + + Type PIN code + + Type PUK and new PIN code + + PUK code + + New PIN code + + Tap to type password + + Type password to unlock + + Type PIN to unlock + + Incorrect PIN code. + + To unlock, press Menu then 0. + + Emergency number + + + + No service + + Screen locked. + + Press Menu to unlock or place emergency call. + + Press Menu to unlock. + + Draw pattern to unlock + + Emergency + + Return to call + + Correct! + + Try again + + Try again + + Unlock for all features and data + + Maximum Face Unlock attempts exceeded + + No SIM card + + No SIM card in tablet. + + No SIM card in TV. + + No SIM card in phone. + + Insert a SIM card. + + The SIM card is missing or not readable. Insert a SIM card. + + Unusable SIM card. + + Your SIM card has been permanently disabled.\n + Contact your wireless service provider for another SIM card. + + Previous track + + Next track + + Pause + + Play + + Stop + + Rewind + + Fast forward + + Emergency calls only + + Network locked + + SIM card is PUK-locked. + + See the User Guide or contact Customer Care. + + SIM card is locked. + + Unlocking SIM card\u2026 + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using your Google signin.\n\n + Try again in %3$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + Try again in %d seconds. + + Forgot pattern? + + Account unlock + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking\u2026 + + Unlock + + Sound on + + Sound off + + Pattern started + + Pattern cleared + + Cell added + + Cell %1$s added + + Pattern completed + + Pattern area. + + %1$s. Widget %2$d of %3$d. + + Add widget. + + Empty + + Unlock area expanded. + + Unlock area collapsed. + + %1$s widget. + + User selector + + Status + + Camera + + Media controls + + Widget reordering started. + + Widget reordering ended. + + Widget %1$s deleted. + + Expand unlock area. + + Slide unlock. + + Pattern unlock. + + Face unlock. + + Pin unlock. + + Sim Pin unlock. + + Sim Puk unlock. + + Password unlock. + + Pattern area. + + Slide area. + + + + \?123 + + ABC + + ALT + + character + + word + + link + + line + + Factory test failed + + The FACTORY_TEST action + is only supported for packages installed in /system/app. + + No package was found that provides the + FACTORY_TEST action. + + Reboot + + + + The page at \"%s\" says: + + JavaScript + + Confirm Navigation + + Leave this Page + + Stay on this Page + + %s\n\nAre you sure you want to navigate away from this page? + + Confirm + + Tip: Double-tap to zoom in and out. + + Autofill + + Set up Autofill + + Autofill with %1$s + + \u0020 + + $1$2$3 + + ,\u0020 + + $1$2$3 + + attention|attn + + province|region|other|provincia|bairro|suburb + + company|business|organization|organisation|department|firma|firmenname|empresa|societe|société|ragione.?sociale|会社|название.?компании|单位|公司 + + address.?line|address1|addr1|street|strasse|straße|hausnummer|housenumber|house.?name|direccion|dirección|adresse|indirizzo|住所1|morada|endereço|Адрес|地址 + + address|adresse|indirizzo|住所|地址 + + address.?line2|address2|addr2|street|suite|unit|adresszusatz|ergänzende.?angaben|direccion2|colonia|adicional|addresssuppl|complementnom|appartement|indirizzo2|住所2 + + address.?line3|address3|addr3|street|line3|municipio|batiment|residence|indirizzo3 + + country|location|国|国家 + + zip|postal|post code|pcode|^1z$|postleitzahl|cp|cdp|cap|郵便番号|codigo|codpos|cep|Почтовый.?Индекс|邮政编码|邮编|郵遞區號 + + zip|^-$|post2|codpos2 + + city|town|ort|stadt|suburb|ciudad|provincia|localidad|poblacion|ville|commune|localita|市区町村|cidade|Город|市|分區 + + state|county|region|province|land|county|principality|都道府県|estado|provincia|область|省|地區 + + same as + + use my + + bill + + ship + + e.?mail|メールアドレス|Электронной.?Почты|邮件|邮箱|電郵地址 + + user.?name|user.?id|vollständiger.?name|用户名 + + ^name|full.?name|your.?name|customer.?name|firstandlastname|nombre.*y.*apellidos|^nom|お名前|氏名|^nome|姓名 + + ^name|^nom|^nome + + irst.*name|initials|fname|first$|vorname|nombre|forename|prénom|prenom|名|nome|Имя + + middle.*initial|m\\.i\\.|mi$ + + middle.*name|mname|middle$|apellido.?materno|lastlastname + + last.*name|lname|surname|last$|nachname|apellidos|famille|^nom|cognome|姓|morada|apelidos|surename|sobrenome|Фамилия + + phone|telefonnummer|telefono|teléfono|telfixe|電話|telefone|telemovel|телефон|电话 + + area.*code|acode|area + + prefix|preselection|ddd + + suffix + + ext|ramal + + card.?holder|name.?on.?card|ccname|owner|karteninhaber|nombre.*tarjeta|nom.*carte|nome.*cart|名前|Имя.*карты|信用卡开户名|开户名|持卡人姓名|持卡人姓名 + + name + + verification|card identification|cvn|security code|cvv code|cvc + + number|card.?#|card.?no|ccnum|nummer|credito|numero|número|numéro|カード番号|Номер.*карты|信用卡号|信用卡号码|信用卡卡號 + + expir|exp.*month|exp.*date|ccmonth|gueltig|gültig|monat|fecha|date.*exp|scadenza|有効期限|validade|Срок действия карты|月 + + exp|^/|year|ablaufdatum|gueltig|gültig|yahr|fecha|scadenza|有効期限|validade|Срок действия карты|年|有效期 + + ^card + + fax|télécopie|telecopie|ファックス|факс|传真|傳真 + + country.*code|ccode|_cc + + ^\\($ + + ^-$|^\\)$ + + ^-$ + + Province + + Postal code + + State + + ZIP code + + County + + Island + + District + + Department + + Prefecture + + Parish + + Area + + Emirate + + read your Web bookmarks and history + + Allows the app to read the + history of all URLs that the Browser has visited, and all of the Browser\'s + bookmarks. Note: this permission may not be enforced by third-party + browsers or other applications with web browsing capabilities. + + write web bookmarks and history + + Allows the + app to modify the Browser\'s history or bookmarks stored on your tablet. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your TV. + This may allow the app to erase or modify Browser data. Note: this + permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + Allows the + app to modify the Browser\'s history or bookmarks stored on your phone. + This may allow the app to erase or modify Browser data. Note: + this permission may note be enforced by third-party browsers or other + applications with web browsing capabilities. + + set an alarm + + Allows the app to set an alarm in + an installed alarm clock app. Some alarm clock apps may + not implement this feature. + + add voicemail + + Allows the app to add messages + to your voicemail inbox. + + modify Browser geolocation permissions + + Allows the app to modify the + Browser\'s geolocation permissions. Malicious apps + may use this to allow sending location information to arbitrary web sites. + + Do you want the browser to remember this password? + + Not now + + Remember + + Never + + You don\'t have permission to open this page. + + Text copied to clipboard. + + Copied + + More + + Menu+ + + Meta+ + + Ctrl+ + + Alt+ + + Shift+ + + Sym+ + + Function+ + + space + + enter + + delete + + + + Search + + Search\u2026 + + Search + + Search query + + Clear query + + Submit query + + Voice search + + Enable Explore by Touch? + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the tablet. + + %1$s wants to enable Explore by Touch. + When Explore by Touch is turned on, you can hear or see descriptions of what\'s under + your finger or perform gestures to interact with the phone. + + 1 month ago + + Before 1 month ago + + + Last %d days - "上個月" - "較舊" - "於 %s" - "於%s" - "於 %s 年" - "天" - "天" - "點" - "小時" - "分鐘" - "分鐘" - "秒" - "秒" - "週" - "週" - "年" - "年" - "現在" - - %d分鐘 - %d分鐘 + + Last month + + Older + + on %s + + at %s + + in %s + + day + + days + + hour + + hours + + min + + mins + + sec + + secs + + week + + weeks + + year + + years + + now + + + %dm - - %d小時 - %d小時 + + + %dh - - %d - %d + + + %dd - - %d - %d + + + %dy - - %d分鐘後 - %d分鐘後 + + + in %dm - - %d小時後 - %d小時後 + + + in %dh - - %d天後 - %d天後 + + + in %dd - - %d年後 - %d年後 + + + in %dy - - %d 分鐘前 - %d 分鐘前 + + + %d minutes ago - - %d 小時前 - %d 小時前 + + + %d hours ago - - %d 天前 - %d 天前 + + + %d days ago - - %d 年前 - %d 年前 + + + %d years ago - - %d 分鐘後 - %d 分鐘後 + + + in %d minutes - - %d 小時後 - %d 小時後 + + + in %d hours - - %d 天後 - %d 天後 + + + in %d days - - %d 年後 - %d 年後 + + + in %d years - "影片發生問題" - "這部影片的格式無效,因此無法在此裝置中串流播放。" - "無法播放這部影片。" - "確定" - "%1$s%2$s" - "中午" - "中午" - "午夜" - "午夜" - "%1$02d:%2$02d" - "%1$d:%2$02d:%3$02d" - "全部選取" - "剪下" - "複製" - "無法複製到剪貼簿" - "貼上" - "以純文字貼上" - "取代…" - "刪除" - "複製網址" - "選取文字" - "復原" - "重做" - "自動填入" - "選取文字" - "加入字典" - "刪除" - "輸入法" - "文字動作" - "發送電子郵件" - "將電子郵件寄到選取的地址" - "撥號通話" - "撥打選取的電話號碼" - "查看地圖" - "尋找選取的地址" - "開啟" - "開啟選取的網址" - "發送訊息" - "將訊息傳送到選取的電話號碼" - "新增" - "新增至聯絡人" - "查看" - "在日曆中查看選取的時間" - "加入日曆" - "將活動安排在選取的時間" - "追蹤" - "追蹤選取的航班" - "翻譯" - "翻譯選取的文字" - "查看定義" - "定義選取的文字" - "儲存空間即將用盡" - "部分系統功能可能無法運作" - "系統儲存空間不足。請確定你已釋出 250MB 的可用空間,然後重新啟動。" - "「%1$s」目前正在執行" - "輕觸即可瞭解詳情或停止應用程式。" - "確定" - "取消" - "確定" - "取消" - "注意" - "載入中…" - "開啟" - "關閉" - "選擇要使用的應用程式" - "完成操作需使用 %1$s" - "完成操作" - "選擇開啟工具" - "透過 %1$s 開啟" - "開啟" - "開啟 %1$s 連結時使用的瀏覽器/應用程式" - "開啟連結時使用的瀏覽器" - "使用「%1$s」開啟連結" - "使用「%2$s」開啟 %1$s 連結" - "授予存取權" - "選擇編輯工具" - "使用 %1$s 編輯" - "編輯" - "分享" - "透過 %1$s 分享" - "分享" - "透過以下應用程式傳送:" - "透過「%1$s」傳送" - "傳送" - "選取主螢幕應用程式" - "使用「%1$s」做為主螢幕" - "擷取圖片" - "使用以下應用程式擷取圖片:" - "使用「%1$s」擷取圖片" - "擷取圖片" - "設為預設應用程式。" - "使用其他應用程式" - "前往 [系統設定] > [應用程式] > [下載] 清除預設值。" - "選擇分享方式" - "選取要以 USB 裝置存取的應用程式" - "沒有應用程式可執行這項操作。" - "「%1$s」已停止運作" - "「%1$s」已停止運作" - "「%1$s」屢次停止運作" - "「%1$s」屢次停止運作" - "再次開啟應用程式" - "提供意見" - "關閉" - "略過直到裝置重新啟動" - "等候" - "關閉應用程式" - - "「%2$s」沒有回應" - "「%1$s」沒有回應" - "「%1$s」沒有回應" - "「%1$s」程序沒有回應" - "確定" - "回報" - "等待" - "網頁沒有回應。\n\n你要結束嗎?" - "應用程式已重新導向" - "「%1$s」現在正在執行。" - "「%1$s」原先已啟動。" - "比例" - "一律顯示" - "前往 [系統設定] > [應用程式] > [下載] 重新啟用這個模式。" - "「%1$s」不支援目前的顯示大小設定,可能會發生非預期的行為。" - "一律顯示" - "「%1$s」是專為 Android 作業系統的不相容版本所打造的應用程式,因此目前可能無法正常運作。你可以使用該應用程式的更新版本。" - "一律顯示" - "檢查更新" - "應用程式 %1$s (處理程序 %2$s) 已違反其自行強制實施的嚴格模式 (StrictMode) 政策。" - "處理程序 %1$s 已違反其自行強制實施的嚴格模式 (StrictMode) 政策。" - "手機正在更新…" - "平板電腦正在更新…" - "裝置正在更新…" - "手機正在啟動…" - "Android 正在啟動…" - "平板電腦正在啟動…" - "裝置正在啟動…" - "正在對儲存空間進行最佳化處理。" - "正在完成系統更新…" - "正在升級「%1$s」…" - "正在最佳化第 %1$d 個應用程式 (共 %2$d 個)。" - "正在準備升級「%1$s」。" - "正在啟動應用程式。" - "啟動完成。" - "%1$s 執行中" - "輕觸即可返回遊戲" - "選擇遊戲" - "為了維持較佳效能,一次只能開啟其中一個遊戲。" - "返回「%1$s」" - "開啟「%1$s」" - "「%1$s」即將直接關閉不儲存" - "%1$s 已超出記憶體上限" - "「%1$s」的記憶體快照資料已準備就緒" - "已取得記憶體快照資料。輕觸即可分享。" - "分享記憶體快照資料?" - "「%1$s」程序已超出 %2$s 的記憶體上限。系統已產生記憶體快照資料,可供你與開發人員分享。請注意:記憶體快照資料中可能包含應用程式可存取的個人資訊。" - "「%1$s」程序已超出 %2$s 的記憶體上限。系統已產生記憶體快照資料,可供你與相關人員分享。請注意:記憶體快照資料中可能包含程序可存取的任何敏感個人資訊,其中可能包含你輸入的內容。" - "系統已產生「%1$s」程序的記憶體快照資料,可供你與相關人員分享。請注意:記憶體快照資料中可能包含程序可存取的任何敏感個人資訊,其中可能包含你輸入的內容。" - "選取傳送文字內容的方式" - "鈴聲音量" - "媒體音量" - "透過藍牙播放" - "已將鈴聲設為靜音" - "來電音量" - "藍牙通話音量" - "鬧鐘音量" - "通知音量" - "音量" - "藍牙音量" - "鈴聲音量" - "通話音量" - "媒體音量" - "通知音量" - "預設鈴聲" - "預設 (%1$s)" - "無" - "鈴聲" - "鬧鐘音效" - "通知音效" - "不明" - "無法連線至「%1$s」" - "輕觸即可變更隱私權設定並重試" - "要變更隱私權設定嗎?" - "「%1$s」要求使用裝置 MAC 位址 (即專屬 ID) 進行連線。你目前在這個網路的隱私權設定是使用隨機 ID。\n\n如果進行這項變更,附近的裝置或許可以追蹤你的裝置所在位置。" - "變更設定" - "設定已更新,請再次嘗試連線。" - "無法變更隱私權設定" - "找不到網路" - - 有多個可用的 Wi-Fi 網路 - 有一個可用的 Wi-Fi 網路 + + Video problem + + This video isn\'t valid for streaming to this device. + + Can\'t play this video. + + OK + + "%1$s, %2$s" + + "noon" + + "Noon" + + "midnight" + + "Midnight" + + %1$02d:%2$02d + + %1$d:%2$02d:%3$02d + + Select all + + Cut + + Copy + + Failed to copy to clipboard + + Paste + + Paste as plain text + + Replace\u2026 + + Delete + + Copy URL + + Select text + + Undo + + Redo + + Autofill + + Text selection + + Add to dictionary + + Delete + + Input method + + Text actions + + Email + + Email selected address + + Call + + Call selected phone number + + Map + + Locate selected address + + Open + + Open selected URL + + Message + + Message selected phone number + + Add + + Add to contacts + + View + + View selected time in calendar + + Schedule + + Schedule event for selected time + + Track + + Track selected flight + + Translate + + Translate selected text + + Define + + Define selected text + + Storage space running out + + Some system functions may not work + + Not enough storage for the system. Make sure you have 250MB of free space and restart. + + %1$s + is running + + Tap for more information + or to stop the app. + + OK + + Cancel + + OK + + Cancel + + Attention + + Loading\u2026 + + ON + + OFF + + Complete action using + + Complete action using %1$s + + Complete action + + Open with + + Open with %1$s + + Open + + Open %1$s links with + + Open links with + + Open links with %1$s + + Open %1$s links with %2$s + + + Give access + + Edit with + + Edit with %1$s + + Edit + + Share + + Share with %1$s + + Share + + Send using + + Send using %1$s + + Send + + Select a Home app + + Use %1$s as Home + + Capture image + + + Capture image with + + Capture image with %1$s + + Capture image + + Use by default for this action. + + Use a different app + + Clear default in System settings > Apps > Downloaded. + + Choose an action + + Choose an app for the USB device + + No apps can perform this action. + + %1$s has stopped + + %1$s has + stopped + + %1$s keeps stopping + + %1$s keeps stopping + + Open app again + + Send feedback + + Close + + Mute until device restarts + + Wait + + Close app + + + + %2$s isn\'t responding + + %1$s isn\'t responding + + %1$s isn\'t responding + + Process %1$s isn\'t responding + + OK + + Report + + Wait + + The page has become unresponsive.\n\nDo you want to close it? + + App redirected + + %1$s is now running. + + %1$s was originally launched. + + Scale + + Always show + + Re-enable this in System settings > Apps > Downloaded. + + %1$s does not support the current Display size setting and may behave unexpectedly. + + Always show + + %1$s was built for an incompatible version of the Android OS and may behave unexpectedly. An updated version of the app may be available. + + Always show + + Check for update + + The app %1$s + (process %2$s) has violated its self-enforced StrictMode policy. + + The process %1$s has + has violated its self-enforced StrictMode policy. + + Phone is updating\u2026 + + Tablet is updating\u2026 + + Device is updating\u2026 + + Phone is starting\u2026 + + Android is starting\u2026 + + Tablet is starting\u2026 + + Device is starting\u2026 + + Optimizing storage. + + Finishing system update\u2026 + + %1$s is upgrading\u2026 + + Optimizing app + %1$d of + %2$d. + + Preparing %1$s. + + Starting apps. + + Finishing boot. + + %1$s running + + Tap to return to game + + Choose game + + For better performance, only one of these + games can be open at a time. + Go back to %1$s + Open %1$s + %1$s will close + without saving + + %1$s exceeded memory + limit + + %1$s heap dump ready + + Heap dump collected. Tap to share. + + Share heap dump? + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share with its developer. Be careful: this heap dump can contain any + of your personal information that the application has access to. + + The + %1$s process has exceeded + its memory limit of %2$s. A heap dump is available + for you to share. Be careful: this heap dump can contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + A heap dump of + %1$s\u2019s process is available + for you to share. Be careful: this heap dump may contain any sensitive personal information + that the process has access to, which may include things you\u2019ve typed. + + Choose an action for text + + Ringer volume + + Media volume + + Playing through Bluetooth + + Silent ringtone set + + In-call volume + + Bluetooth in-call volume + + Alarm volume + + Notification volume + + Volume + + Bluetooth volume + + Ringtone volume + + Call volume + + Media volume + + Notification volume + + + + Default ringtone + + Default (%1$s) + + None + + Ringtones + + Alarm sounds + + Notification sounds + + Unknown + + + Can\u2019t connect to %1$s + + Tap to change privacy settings and retry + + Change privacy setting? + + To connect, %1$s needs to use your device MAC address, a unique identifier. Currently, your privacy setting for this network uses a randomized identifier. + \n\nThis change may allow your device\u2019s location to be tracked by nearby devices. + + Change setting + + Setting updated. Try connecting again. + + Can\u2019t change privacy setting + + Network not found + + + + Wi-Fi networks available - - 有多個可用的開放 Wi-Fi 網路 - 有多個可用的開放 Wi-Fi 網路 + + + Open Wi-Fi networks available - "連線至開放的 Wi‑Fi 網路" - "連上電信業者的 Wi‑Fi 網路" - "正在連線至 Wi‑Fi 網路" - "已連線至 Wi-Fi 網路" - "無法連線至 Wi‑Fi 網路" - "輕觸即可查看所有網路" - "連線" - "所有網路" - "是否允許系統連線到建議的 Wi‑Fi 網路?" - "「%s」建議的網路。裝置可能會自動連線到這些網路。" - "允許" - "不用了,謝謝" - "Wi‑Fi 將自動開啟" - "當你位於已儲存的高品質網路範圍內時" - "不要重新開啟" - "已自動開啟 Wi‑Fi" - "你位於已儲存的網路範圍內:%1$s" - "登入 Wi-Fi 網路" - "登入網路" - - - "%1$s 沒有網際網路連線" - "輕觸即可查看選項" - "已連線" - "%1$s 的連線能力受限" - "輕觸即可繼續連線" - "無線基地台設定變更" - "你的無線基地台頻帶已變更。" - "這個裝置不支援你的偏好設定 (僅限 5GHz),而是會在 5GHz 可用時使用該頻帶。" - "已切換至%1$s" - "裝置會在無法連上「%2$s」時切換至「%1$s」(可能需要支付相關費用)。" - "已從 %1$s 切換至%2$s" - - "行動數據" - "Wi-Fi" - "藍牙" - "乙太網路" - "VPN" - - "不明的網路類型" - "無法連線至 Wi-Fi" - " 網際網路連線狀況不佳。" - "允許連線?" - "「%1$s」應用程式要求連線至 WiFi 網路 %2$s" - "應用程式" - "Wi-Fi Direct" - "啟動 Wi-Fi Direct 作業,這會關閉 Wi-Fi 用戶端/無線基地台作業。" - "無法啟動 Wi-Fi Direct。" - "Wi-Fi Direct 已開啟" - "輕觸即可查看設定" - "接受" - "拒絕" - "邀請函已傳送" - "連線邀請" - "寄件者:" - "收件者:" - "請輸入必要的 PIN:" - "PIN 碼:" - "平板電腦與 %1$s 連線期間將暫時中斷 Wi-Fi 連線" - "電視連上 %1$s 期間將暫時中斷 Wi-Fi 連線" - "手機與 %1$s 連線期間將暫時中斷 Wi-Fi 連線" - "插入字元" - "傳送 SMS 簡訊" - "<b></b>「%1$s」正在傳送大量簡訊。你要允許這個應用程式繼續傳送簡訊嗎?" - "允許" - "拒絕" - "<b>%1$s</b> 要求將訊息傳送至 <b>%2$s</b>。" - "這""可能會透過你的行動帳戶計費""。" - "這會透過你的行動帳戶計費。" - "傳送" - "取消" - "記住我的選擇" - "你日後可在 [設定] > [應用程式] 中進行變更。" - "一律允許" - "一律不允許" - "SIM 卡已移除" - "你必須先插入有效的 SIM 卡再重新啟動手機,才能使用行動網路。" - "完成" - "SIM 卡已新增" - "請重新啟動裝置,才能使用行動網路。" - "重新啟動" - "啟用行動服務" - "下載電信業者應用程式以啟用你的新 SIM 卡" - "下載「%1$s」應用程式以啟用你的新 SIM 卡" - "下載應用程式" - "已插入新的 SIM 卡" - "輕觸這裡即可進行設定" - "設定時間" - "日期設定" - "設定" - "完成" - "新增:" - "由「%1$s」提供。" - "無須許可" - "這可能需要付費" - "確定" - "正在透過 USB 為這個裝置充電" - "正在透過 USB 為連接的裝置充電" - "已開啟 USB 檔案傳輸模式" - "已開啟 USB PTP 模式" - "已開啟 USB 數據連線模式" - "已開啟 USB MIDI 模式" - "已連接 USB 配件" - "輕觸即可查看更多選項。" - "正在為連接的裝置充電。輕觸即可查看更多選項。" - "偵測到類比音訊配件" - "此外接裝置與這支手機不相容。輕觸即可瞭解詳情。" - "已連接 USB 偵錯工具" - "輕觸即可關閉 USB 偵錯功能" - "選取這個選項以停用 USB 偵錯功能。" - "測試控管工具模式已啟用" - "恢復原廠設定以停用測試控管工具模式。" - "USB 連接埠中有液體或灰塵" - "系統已自動停用 USB 連接埠。輕觸即可瞭解詳情。" - "現在可以使用 USB 連接埠" - "手機目前沒有偵測到液體或灰塵。" - "正在接收錯誤報告…" - "要分享錯誤報告嗎?" - "正在分享錯誤報告…" - "你的管理員要求你提供錯誤報告,以便排解這個裝置發生的問題。報告可能會揭露裝置中的應用程式和相關資料。" - "分享" - "拒絕" - "選擇輸入法" - "連接實體鍵盤時保持顯示" - "顯示虛擬鍵盤" - "設定實體鍵盤" - "輕觸即可選取語言和版面配置" - " ABCDEFGHIJKLMNOPQRSTUVWXYZ" - " 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ" - "顯示在其他應用程式上層" - "「%s」在其他應用程式上顯示內容" - "「%s」正在其他應用程式上顯示內容" - "如果你不想讓「%s」使用這項功能,請輕觸開啟設定頁面,然後停用此功能。" - "關閉" - "正在檢查 %s…" - "正在檢查目前的內容" - "新的 %s" - "輕觸即可進行設定" - "可用於傳輸相片和媒體" - "%s發生問題" - "輕觸即可修正問題" - "%s已損毀。選取即可進行修正。" - "不支援的「%s」" - "此裝置不支援這個 %s。輕觸即可使用支援的格式進行設定。" - "此裝置不支援這個 %s。選取即可使用支援的格式進行設定。" - "意外移除「%s」" - "請先退出媒體,再將其移除,以免內容遺失" - "已移除 %s" - "部分功能可能無法正常運作。請插入新的儲存空間。" - "正在退出 %s" - "請勿移除" - "設定" - "退出" - "探索" - "切換輸出裝置" - "找不到 %s" - "請再次插入裝置" - "正在移動「%s」" - "正在移動資料" - "內容轉移作業已完成" - "已將內容移至 %s" - "無法移動內容" - "請再次嘗試移動內容" - "已移除" - "已退出" - "檢查中…" - "就緒" - "唯讀" - "未安全地移除" - "已毀損" - "不支援" - "退出中..." - "正在格式化…" - "未插入" - "找不到相符的活動。" - "轉送媒體輸出" - "允許應用程式將媒體輸出轉送至其他外部裝置。" - "讀取安裝工作階段" - "允許應用程式讀取安裝工作階段。應用程式將可查看目前的套件安裝詳細資料。" - "要求安裝套件" - "允許應用程式要求安裝套件。" - "要求刪除套件" - "允許應用程式要求刪除套件。" - "要求忽略電池效能最佳化設定" - "允許應用程式要求權限,以便忽略針對該應用程式的電池效能最佳化設定。" - "點兩下以進行縮放控制" - "無法新增小工具。" - "開始" - "搜尋" - "傳送" - "下一步" - "完成" - "上一步" - "執行" - "使用 %s\n撥號" - "建立手機號碼為 %s\n的聯絡人" - "下列一或多個應用程式要求取得今後都可存取你帳戶的權限。" - "你確定要允許這個要求嗎?" - "存取權限要求" - "允許" - "拒絕" - "已要求權限" - "帳戶 %s 已提出\n權限要求。" - "你目前並非透過工作資料夾使用這個應用程式" - "你目前透過工作設定檔使用這個應用程式" - "輸入法" - "同步處理" - "無障礙" - "桌布" - "變更桌布" - "通知接聽器" - "VR 接聽器" - "條件提供者" - "通知重要性排序服務" - "VPN 已啟用" - "%s 已啟用 VPN" - "輕觸一下即可管理網路。" - "已連線至 %s,輕觸一下即可管理網路。" - "正在連線至永久連線的 VPN…" - "已連線至永久連線的 VPN" - "已中斷連線至永久連線的 VPN" - "無法連上永久連線的 VPN" - "變更網路或 VPN 設定" - "選擇檔案" - "未選擇任何檔案" - "重設" - "提交" - "行車應用程式執行中" - "輕觸即可結束行車應用程式。" - "網路共用或無線基地台已啟用" - "輕觸即可進行設定。" - "數據連線已停用" - "詳情請洽你的管理員" - "返回" - "繼續" - "略過" - "沒有相符項目" - "在頁面中尋找" - - %d 個相符項目 (共 %d 個) - 1 個相符項目 + + Connect to open Wi\u2011Fi network + + Connect to carrier Wi\u2011Fi network + + Connecting to Wi\u2011Fi network + + Connected to Wi\u2011Fi network + + Could not connect to Wi\u2011Fi network + + Tap to see all networks + + Connect + + All networks + + Allow suggested Wi\u2011Fi networks? + + %s suggested networks. Device may connect automatically. + + Allow + + No thanks + + Wi\u2011Fi will turn on automatically + + When you\'re near a high quality saved network + + Don\'t turn back on + + Wi\u2011Fi turned on automatically + + You\u0027re near a saved network: %1$s + + Sign in to Wi-Fi network + + Sign in to network + + %1$s + + %1$s has no internet access + + Tap for options + + Connected + + %1$s has limited connectivity + + Tap to connect anyway + + Changes to your hotspot settings + + Your hotspot band has changed. + + This device doesn\u2019t support your preference for 5GHz only. Instead, this device will use the 5GHz band when available. + + Switched to %1$s + + Device uses %1$s when %2$s has no internet access. Charges may apply. + + Switched from %1$s to %2$s + + + mobile data + Wi-Fi + Bluetooth + Ethernet + VPN + + + an unknown network type + + Couldn\'t connect to Wi-Fi + + \u0020has a poor internet connection. + + + + + Allow connection? + + Application %1$s would like to connect to Wifi Network %2$s + + An application + Wi-Fi Direct + Start Wi-Fi Direct. This will turn off Wi-Fi client/hotspot. + Couldn\'t start Wi-Fi Direct. + Wi-Fi Direct is on + Tap for settings + Accept + Decline + Invitation sent + Invitation to connect + From: + To: + Type the required PIN: + PIN: + The tablet will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The TV will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + The phone will temporarily disconnect from Wi-Fi while it\'s connected to %1$s + + Insert character + + + + Sending SMS messages + + <b>%1$s</b> is sending a large number of SMS messages. Do you want to allow this app to continue sending messages? + + Allow + + Deny + + + + <b>%1$s</b> would like to send a message to <b>%2$s</b>. + + This may cause charges on your mobile account. + + This will cause charges on your mobile account. + + Send + + Cancel + + Remember my choice + + You can change this later in Settings\u00A0>\u00A0Apps\" + + Always Allow + + Never Allow + + + + SIM card removed + + The mobile network will be unavailable until you restart with a valid SIM card inserted. + + Done + + SIM card added + + Restart your device to access the mobile network. + + Restart + + Activate mobile service + + Download the carrier app to activate your new SIM + + Download the %1$s app to activate your new SIM + + Download app + + New SIM inserted + Tap to set it up + + + Set time + + Set date + + Set + + Done + + + NEW: + + Provided by %1$s. + + No permissions required + + this may cost you money + + OK + + Charging this device via USB + + Charging connected device via USB + + USB file transfer turned on + + PTP via USB turned on + + USB tethering turned on + + MIDI via USB turned on + + USB accessory connected + + Tap for more options. + + Charging connected device. Tap for more options. + + Analog audio accessory detected + + The attached device is not compatible with this phone. Tap to learn more. + + USB debugging connected + + Tap to turn off USB debugging + Select to disable USB debugging. + + Test Harness Mode enabled + + Perform a factory reset to disable Test Harness Mode. + + Liquid or debris in USB port + + USB port is automatically disabled. Tap to learn more. + + OK to use USB port + + Phone no longer detects liquid or debris. + + Taking bug report\u2026 + + Share bug report? + + Sharing bug report\u2026 + + Your admin requested a bug + report to help troubleshoot this device. Apps and data may be shared. + + SHARE + + DECLINE + + + + + + "" + + Choose input method + + Keep it on screen while physical keyboard is active + + Show virtual keyboard + + Configure physical keyboard + + Tap to select language and layout + \u0020ABCDEFGHIJKLMNOPQRSTUVWXYZ + \u00200123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ + + + + Display over other apps + + %s displaying over other apps + + %s is displaying over other apps + + If you don’t want %s to use this feature, tap to open settings and turn it off. + + Turn off + + + + Checking %s\u2026 + + Reviewing current content + + New %s + + Tap to set up + + For transferring photos and media + + Issue with %s + + Tap to fix + + %s is corrupt. Select to fix. + + Unsupported %s + + This device doesn\u2019t support this %s. Tap to set up in a supported format. + + This device doesn\u2019t support this %s. Select to set up in a supported format. + + %s unexpectedly removed + + Eject media before removing to avoid losing content + + %s removed + + Some functionality may not work properly. Insert new storage. + + Ejecting %s + + Don\u2019t remove + + Set up + + Eject + + Explore + + Switch output + + %s missing + + Insert device again + + Moving %s + + Moving data + + Content transfer is done + + Content moved to %s + + Couldn\u2019t move content + + Try moving content again + + Removed + + Ejected + + Checking\u2026 + + Ready + + Read-only + + Removed unsafely + + Corrupted + + Unsupported + + Ejecting\u2026 + + Formatting\u2026 + + Not inserted + + No matching activities found. + + route media output + + Allows an application to route media output to other external devices. + + read install sessions + + Allows an application to read install sessions. This allows it to see details about active package installations. + + request install packages + + Allows an application to request installation of packages. + + request delete packages + + Allows an application to request deletion of packages. + + ask to ignore battery optimizations + + Allows an app to ask for permission to ignore battery optimizations for that app. + + Tap twice for zoom control + + Couldn\'t add widget. + + Go + + Search + + Send + + Next + + Done + + Prev + + Execute + + + + Dial number\nusing %s + + Create contact\nusing %s + + + + The following one or more apps request permission to access your account, now and in the future. + Do you want to allow this request? + Access request + Allow + Deny + Permission requested + Permission requested\nfor account %s. + + You\'re using this app outside of your work profile + + You\'re using this app in your work profile + + Input method + + Sync + + Accessibility + + Wallpaper + + Change wallpaper + + Notification listener + + VR listener + + Condition provider + + Notification ranker service + + /data/eri.xml + + VPN activated + + VPN is activated by %s + + Tap to manage the network. + + Connected to %s. Tap to manage the network. + + Always-on VPN connecting\u2026 + + Always-on VPN connected + + Disconnected from always-on VPN + + Couldn\'t connect to always-on VPN + + Change network or VPN settings + + + Choose file + + No file chosen + + Reset + + Submit + + + Driving app is running + Tap to exit driving app. + + + Tethering or hotspot active + Tap to set up. + + + Tethering is disabled + Contact your admin for details + + Back + Next + + Skip + + No matches + + Find on page + + + + + %d of %d - "完成" - "正在清除共用儲存空間…" - "分享" - "尋找" - "網頁搜尋" - "尋找下一個項目" - "尋找上一個項目" - "%s 的地點要求" - "位置資訊要求" - "要求者:%1$s (%2$s)" - "是" - "否" - "已超過刪除上限" - "帳戶 %3$s%2$s會刪除 %1$d 個項目。你要如何處理?" - "刪除這些項目" - "復原刪除" - "暫不執行" - "選擇帳戶" - "新增帳戶" - "新增帳戶" - "增加" - "減少" - "%s 按住。" - "向上滑動即可增加,向下滑動即可減少。" - "增加分鐘數" - "減少分鐘數" - "增加小時數" - "減少小時數" - "設定 PM 值" - "設定 AM 值" - "增加月數" - "減少月數" - "增加日數" - "減少日數" - "增加年數" - "減少年數" - "上個月" - "下個月" - "Alt 鍵" - "取消" - "Delete 鍵" - "完成" - "模式變更" - "Shift 鍵" - "Enter 鍵" - "選擇應用程式" - "無法啟動 %s" - "分享對象:" - "與「%s」分享" - "滑動控制。持續輕觸。" - "滑動即可解鎖。" - "瀏覽首頁" - "向上瀏覽" - "更多選項" - "%1$s:%2$s" - "%1$s - %2$s:%3$s" - "內部共用儲存空間" - "SD 卡" - "%s SD 卡" - "USB 隨身碟" - "%s USB 隨身碟" - "USB 儲存裝置" - "編輯" - "數據用量警告" - "你的數據用量已達 %s" - "已達到行動數據用量上限" - "已達到 Wi-Fi 數據流量上限" - "已暫停使用數據連線,直到這個付款週期結束為止" - "已超過行動數據用量上限" - "已超過 Wi-Fi 數據用量上限" - "你已使用 %s,超出設定上限" - "已限制背景資料" - "輕觸即可移除限制。" - "高行動數據用量" - "你的應用程式數據用量比平常多" - "「%s」的數據用量比平常多" - "安全性憑證" - "憑證有效。" - "發布至:" - "常用名稱:" - "機構:" - "機構單位:" - "發布者:" - "有效期間:" - "發布日期:" - "到期日:" - "序號:" - "指紋" - "SHA-256 指紋" - "SHA-1 指紋:" - "全部顯示" - "選擇活動" - "分享活動" - "傳送中…" - "啟動「瀏覽器」嗎?" - "接聽電話嗎?" - "一律採用" - "設為一律開啟" - "僅限一次" - "設定" - "%1$s 不支援工作設定檔" - "平板電腦" - "電視" - "手機" - "座架喇叭" - "HDMI" - "耳機" - "USB" - "系統" - "藍牙音訊" - "無線螢幕分享" - "投放" - "連線至裝置" - "將螢幕畫面投放到裝置上" - "正在搜尋裝置..." - "設定" - "中斷連線" - "掃描中..." - "連線中…" - "可以使用" - "無法使用" - "使用中" - "內建畫面" - "HDMI 螢幕" - "第 %1$d 個重疊效果" - "%1$s%2$dx%3$d%4$d dpi" - "(安全)" - "忘記圖案" - "圖案錯誤" - "密碼錯誤" - "PIN 錯誤" - - 請於 %d 秒後再試一次。 - 請於 1 秒後再試一次。 + + Done + + + Erasing shared storage\u2026 + + + Share + + Find + + Web Search + + Find next + + Find previous + + Location request from %s + + Location request + + Requested by %1$s (%2$s) + + Yes + + No + + Delete limit exceeded + + There are %1$d deleted items for %2$s, account %3$s. What do you want to do? + + Delete the items + + Undo the deletes + + Do nothing for now + + Choose an account + "Add an account" + + Add account + + + Increase + + Decrease + + %s touch & hold. + + Slide up to increase and down to decrease. + + + Increase minute + + Decrease minute + + Increase hour + + Decrease hour + + Set PM + + Set AM + + + Increase month + + Decrease month + + Increase day + + Decrease day + + Increase year + + Decrease year + + Previous month + + Next month + + + Alt + + Cancel + + Delete + + Done + + Mode change + + Shift + + Enter + + + Choose an app + + Couldn\'t launch %s + + + Share with + + Share with %s + + + "Sliding handle. Touch & hold." + + Swipe to unlock. + + Navigate home + + Navigate up + + More options + + %1$s, %2$s + + %1$s, %2$s, %3$s + + Internal shared storage + + SD card + + %s SD card + + USB drive + + %s USB drive + + USB storage + + Edit + + Data warning + + You\'ve used %s of data + + Mobile data limit reached + + Wi-Fi data limit reached + + Data paused for the rest of your cycle + + Over your mobile data limit + + Over your Wi-Fi data limit + + You\'ve gone %s over your set limit + + Background data restricted + + Tap to remove restriction. + + High mobile data usage + + Your apps have used more data than usual + + %s has used more data than usual + + + Security certificate + + This certificate is valid. + + Issued to: + + Common name: + + Organization: + + Organizational unit: + + Issued by: + + Validity: + + Issued on: + + Expires on: + + Serial number: + + Fingerprints: + + SHA-256 fingerprint: + + SHA-1 fingerprint: + + See all + + Choose activity + + Share with + + Sending\u2026 + + Launch Browser? + + Accept call? + + Always + + Set to always open + + Just once + + Settings + + %1$s doesn\'t support work profile + + Tablet + + TV + + Phone + + Dock speakers + + HDMI + + Headphones + + USB + + System + + Bluetooth audio + + Wireless display + + Cast + + Connect to device + + Cast screen to device + + Searching for devices\u2026 + + Settings + + Disconnect + + Scanning... + + Connecting... + + Available + + Not available + + In use + + + Built-in Screen + + HDMI Screen + + Overlay #%1$d + + %1$s: %2$dx%3$d, %4$d dpi + + , secure + + + Forgot Pattern + + Wrong Pattern + + Wrong Password + + Wrong PIN + + + Try again in %d seconds. - "畫出圖案" - "輸入 SIM PIN" - "輸入 PIN" - "輸入密碼" - "SIM 卡已遭停用,必須輸入 PUK 碼才能繼續使用。詳情請洽你的電信業者。" - "輸入所需的 PIN 碼" - "確認所需的 PIN 碼" - "正在解除 SIM 卡鎖定..." - "PIN 碼不正確。" - "請輸入 4 到 8 碼的 PIN。" - "PUK 碼必須為 8 碼。" - "重新輸入正確的 PUK 碼。如果錯誤次數過多,SIM 卡將會永久停用。" - "PIN 碼不符" - "圖案嘗試次數過多" - "如要解除鎖定,請使用 Google 帳戶登入。" - "使用者名稱 (電子郵件)" - "密碼" - "登入" - "使用者名稱或密碼無效。" - "忘了使用者名稱或密碼?\n請前往 ""google.com/accounts/recovery""。" - "正在檢查帳戶…" - "你的 PIN 已輸錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你的密碼已輸錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你的解鎖圖案已畫錯 %1$d 次。\n\n請在 %2$d 秒後再試一次。" - "你嘗試解除這個平板電腦的鎖定已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,平板電腦將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解鎖電視已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,電視將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解除這支手機的鎖定已失敗 %1$d 次,目前還剩 %2$d 次機會。如果失敗次數超過限制,手機將恢復原廠設定,所有使用者資料都會遺失。" - "你嘗試解除這個平板電腦的鎖定已失敗 %d 次,平板電腦現在將恢復原廠設定。" - "你嘗試解鎖電視已失敗 %d 次,電視現在將恢復原廠設定。" - "你嘗試解除這支手機的鎖定已失敗 %d 次,手機現在將恢復原廠設定。" - "你的解鎖圖案已畫錯 %1$d 次,如果再嘗試 %2$d 次仍未成功,系統就會要求你透過電子郵件帳戶解除平板電腦的鎖定狀態。\n\n請在 %3$d 秒後再試一次。" - "你已畫錯解鎖圖案 %1$d 次,目前還剩 %2$d 次嘗試機會。如果失敗次數超過限制,你就必須使用電子郵件帳戶才能解鎖電視。\n\n請過 %3$d 秒後再試一次。" - "你的解鎖圖案已畫錯 %1$d 次,如果再嘗試 %2$d 次仍未成功,系統就會要求你透過電子郵件帳戶解除手機的鎖定狀態。\n\n請在 %3$d 秒後再試一次。" - " — " - "移除" - "要調高音量,比建議的音量更大聲嗎?\n\n長時間聆聽高分貝音量可能會使你的聽力受損。" - "要使用無障礙捷徑嗎?" - "啟用捷徑功能後,只要同時按下兩個音量鍵 3 秒,就能啟動無障礙功能。\n\n 目前設定的無障礙功能為:\n%1$s\n\n 如要變更設定的功能,請依序輕觸 [設定] > [無障礙設定]。" - "停用捷徑" - "使用捷徑" - "色彩反轉" - "色彩校正" - "無障礙捷徑啟用了「%1$s」" - "無障礙捷徑停用了「%1$s」" - "同時按住調低及調高音量鍵三秒即可使用「%1$s」" - "選擇輕觸無障礙按鈕後要使用的服務:" - "選擇要搭配無障礙手勢 (用兩指從螢幕底部向上滑動) 使用的服務:" - "選擇要搭配無障礙手勢 (用三指從螢幕底部向上滑動) 使用的服務:" - "如要切換不同的服務,請輕觸並按住無障礙按鈕。" - "如要切換不同的服務,請用兩指向上滑動並按住。" - "如要切換不同的服務,請用三指向上滑動並按住。" - "放大" - "目前的使用者是 %1$s。" - "正在切換至%1$s…" - "正在將%1$s登出帳戶…" - "擁有者" - "錯誤" - "你的管理員不允許這項變更" - "找不到支援此操作的應用程式" - "撤銷" - "ISO A0" - "ISO A1" - "ISO A2" - "ISO A3" - "ISO A4" - "ISO A5" - "ISO A6" - "ISO A7" - "ISO A8" - "ISO A9" - "ISO A10" - "ISO B0" - "ISO B1" - "ISO B2" - "ISO B3" - "ISO B4" - "ISO B5" - "ISO B6" - "ISO B7" - "ISO B8" - "ISO B9" - "ISO B10" - "ISO C0" - "ISO C1" - "ISO C2" - "ISO C3" - "ISO C4" - "ISO C5" - "ISO C6" - "ISO C7" - "ISO C8" - "ISO C9" - "ISO C10" - "Letter" - "Government Letter" - "Legal" - "Junior Legal" - "Ledger" - "Tabloid" - "Index Card 3x5" - "Index Card 4x6" - "Index Card 5x8" - "Monarch" - "Quarto" - "Foolscap" - "ROC 8K" - "ROC 16K" - "PRC 1" - "PRC 2" - "PRC 3" - "PRC 4" - "PRC 5" - "PRC 6" - "PRC 7" - "PRC 8" - "PRC 9" - "PRC 10" - "PRC 16K" - "Pa Kai" - "Dai Pa Kai" - "Jurro Ku Kai" - "JIS B10" - "JIS B9" - "JIS B8" - "JIS B7" - "JIS B6" - "JIS B5" - "JIS B4" - "JIS B3" - "JIS B2" - "JIS B1" - "JIS B0" - "JIS Exec" - "Chou4" - "Chou3" - "Chou2" - "Hagaki" - "Oufuku" - "Kahu" - "Kaku2" - "You4" - "不明縱向紙張" - "不明橫向紙張" - "已取消" - "寫入內容時發生錯誤" - "不明" - "列印服務尚未啟用" - "已安裝「%s」服務" - "輕觸啟用" - "輸入管理員 PIN 碼" - "輸入 PIN" - "不正確" - "目前的 PIN" - "新 PIN" - "確認新 PIN" - "建立修改限制所需的 PIN" - "PIN 碼不符,請再試一次。" - "PIN 長度太短,至少必須為 4 位數。" - - 請於 %d 秒後再試一次 - 請於 1 秒後再試一次 + + Draw your pattern + + Enter SIM PIN + + Enter PIN + + Enter Password + + SIM is now disabled. Enter PUK code to continue. Contact carrier for details. + + Enter desired PIN code + + Confirm desired PIN code + + Unlocking SIM card\u2026 + + Incorrect PIN code. + + Type a PIN that is 4 to 8 numbers. + + PUK code should be 8 numbers. + + Re-enter the correct PUK code. Repeated attempts will permanently disable the SIM. + + PIN codes does not match + + Too many pattern attempts + + To unlock, sign in with your Google account. + + Username (email) + + Password + + Sign in + + Invalid username or password. + + Forgot your username or password\?\nVisit google.com/accounts/recovery. + + Checking account\u2026 + + You have incorrectly typed your PIN %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly typed your password %1$d times. + \n\nTry again in %2$d seconds. + + You have incorrectly drawn your unlock pattern %1$d times. + \n\nTry again in %2$d seconds. + + + You have incorrectly attempted to unlock the tablet %1$d times. + After %2$d more unsuccessful attempts, + the tablet will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the TV %1$d times. + After %2$d more unsuccessful attempts, + the TV will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the phone %1$d times. + After %2$d more unsuccessful attempts, + the phone will be reset to factory default and all user data will be lost. + + + You have incorrectly attempted to unlock the tablet %d times. + The tablet will now be reset to factory default. + + + You have incorrectly attempted to unlock the TV %d times. + The TV will now be reset to factory default. + + + You have incorrectly attempted to unlock the phone %d times. + The phone will now be reset to factory default. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your tablet using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your TV using an email account.\n\n + Try again in %3$d seconds. + + + You have incorrectly drawn your unlock pattern %1$d times. + After %2$d more unsuccessful attempts, + you will be asked to unlock your phone using an email account.\n\n + Try again in %3$d seconds. + + + " \u2014 " + + Remove + + \"Raise volume above recommended level?\n\nListening at high volume for long periods may damage your hearing.\" + + + Use Accessibility Shortcut? + + When the shortcut is on, pressing both volume buttons for 3 seconds will start an + accessibility feature.\n\n + Current accessibility feature:\n + %1$s\n\n + You can change the feature in Settings > Accessibility. + + + Turn off Shortcut + + Use Shortcut + + Color Inversion + + Color Correction + + Accessibility Shortcut turned + %1$s on + + Accessibility Shortcut turned + %1$s off + + Press and hold both volume keys for three seconds to use + %1$s + + Choose a service to use when you tap the accessibility button: + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with two fingers): + + Choose a service to use with the accessibility gesture (swipe up from the bottom of the screen with three fingers): + + To switch between services, touch & hold the accessibility button. + + To switch between services, swipe up with two fingers and hold. + + To switch between services, swipe up with three fingers and hold. + + Magnification + + Current user %1$s. + + Switching to %1$s\u2026 + + Logging out %1$s\u2026 + + Owner + + Error + + This change isn\'t allowed by your admin + + No application found to handle this action + Revoke + + + ISO A0 + + ISO A1 + + ISO A2 + + ISO A3 + + ISO A4 + + ISO A5 + + ISO A6 + + ISO A7 + + ISO A8 + + ISO A9 + + ISO A10 + + ISO B0 + + ISO B1 + + ISO B2 + + ISO B3 + + ISO B4 + + ISO B5 + + ISO B6 + + ISO B7 + + ISO B8 + + ISO B9 + + ISO B10 + + ISO C0 + + ISO C1 + + ISO C2 + + ISO C3 + + ISO C4 + + ISO C5 + + ISO C6 + + ISO C7 + + ISO C8 + + ISO C9 + + ISO C10 + + Letter + + Government Letter + + Legal + + Junior Legal + + Ledger + + Tabloid + + Index Card 3x5 + + Index Card 4x6 + + Index Card 5x8 + + Monarch + + Quarto + + Foolscap + + ROC 8K + + ROC 16K + + PRC 1 + + PRC 2 + + PRC 3 + + PRC 4 + + PRC 5 + + PRC 6 + + PRC 7 + + PRC 8 + + PRC 9 + + PRC 10 + + PRC 16K + + Pa Kai + + Dai Pa Kai + + Jurro Ku Kai + + JIS B10 + + JIS B9 + + JIS B8 + + JIS B7 + + JIS B6 + + JIS B5 + + JIS B4 + + JIS B3 + + JIS B2 + + JIS B1 + + JIS B0 + + JIS Exec + + Chou4 + + Chou3 + + Chou2 + + Hagaki + + Oufuku + + Kahu + + Kaku2 + + You4 + + Unknown portrait + + Unknown landscape + + Cancelled + + Error writing content + + unknown + + Print service not enabled + + %s service installed + + Tap to enable + + Enter admin PIN + + Enter PIN + + Incorrect + + Current PIN + + New PIN + + Confirm new PIN + + Create a PIN for modifying restrictions + + PINs don\'t match. Try again. + + PIN is too short. Must be at least 4 digits. + + + + Try again in %d seconds - "稍後再試" - "以全螢幕檢視" - "如要退出,請從畫面頂端向下滑動。" - "知道了" - "完成" - "小時數環狀滑桿" - "分鐘數環狀滑桿" - "選取小時數" - "選取分鐘數" - "選取月份和日期" - "選取年份" - "已刪除 %1$s" - "工作%1$s" - "第 2 項工作:%1$s" - "第 3 項工作:%1$s" - "取消固定時必須輸入 PIN" - "取消固定時必須畫出解鎖圖案" - "取消固定時必須輸入密碼" - "已由你的管理員安裝" - "已由你的管理員更新" - "已由你的管理員刪除" - "確定" - "為了延長電池續航力,節約耗電量功能會執行以下動作:\n開啟深色主題\n關閉或限制背景活動、部分視覺效果和其他功能,例如「Hey Google」\n\n""瞭解詳情" - "為了延長電池續航力,節約耗電量功能會執行以下動作:\n開啟深色主題\n關閉或限制背景活動、部分視覺效果和其他功能,例如「Hey Google」" - "「數據節省模式」可防止部分應用程式在背景收發資料,以節省數據用量。你目前使用的某個應用程式可以存取資料,但存取頻率可能不如平時高。舉例來說,圖片可能不會自動顯示,在你輕觸後才會顯示。" - "要開啟數據節省模式嗎?" - "開啟" - - 持續 %1$d 分鐘 (結束時間:%2$s) - 持續 1 分鐘 (結束時間:%2$s) + + Try again later + + Viewing full screen + + To exit, swipe down from the top. + + Got it + + Done + + Hours circular slider + + Minutes circular slider + + Select hours + + Select minutes + + Select month and day + + Select year + + %1$s deleted + + Work %1$s + 2nd Work %1$s + 3rd Work %1$s + + -- + + sans-serif + + sans-serif + + sans-serif-medium + + sans-serif-medium + + sans-serif-medium + + Ask for PIN before unpinning + + Ask for unlock pattern before unpinning + + Ask for password before unpinning + + Installed by your admin + + Updated by your admin + + Deleted by your admin + + OK + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d\n\nLearn more + + To extend battery life, Battery Saver:\n·Turns on Dark theme\n·Turns off or restricts background activity, some visual effects, and other features like \u201cHey Google\u201d + + To help reduce data usage, Data Saver prevents some apps from sending or receiving data in the background. An app you’re currently using can access data, but may do so less frequently. This may mean, for example, that images don’t display until you tap them. + + Turn on Data Saver? + + Turn on + + + For %1$d minutes (until %2$s) - - %1$d 分鐘 (直到 %2$s) - 1 分鐘 (直到 %2$s) + + + For %1$d min (until %2$s) - - %1$d 小時 (直到%2$s) - 1 小時 (直到%2$s) + + + For %1$d hours (until %2$s) - - %1$d 小時 (直到 %2$s) - 1 小時 (直到 %2$s) + + + For %1$d hr (until %2$s) - - 持續 %d 分鐘 - 持續 1 分鐘 + + + For %d minutes - - %d 分鐘 - 1 分鐘 + + + For %d min - - %d 小時 - 1 小時 + + + For %d hours - - %d 小時 - 1 小時 + + + For %d hr - "結束時間:%1$s" - "到%1$s 為止 (下一個鬧鐘)" - "直到你關閉為止" - "直到你關閉「零打擾」模式" - "%1$s/%2$s" - "收合" - "零打擾" - "停機" - "週間晚上" - "週末" - "活動" - "睡眠" - "「%1$s」正在關閉部分音效" - "你的裝置發生內部問題,必須將裝置恢復原廠設定才能解除不穩定狀態。" - "你的裝置發生內部問題,詳情請洽裝置製造商。" - "USSD 要求已變更為一般通話" - "USSD 要求已變更為 SS 要求" - "已變更為新的 USSD 要求" - "USSD 要求已變更為視訊通話" - "SS 要求已變更為一般通話" - "SS 要求已變更為視訊通話" - "SS 要求已變更為 USSD 要求" - "已變更為新的 SS 要求" - "工作資料夾" - "已提醒" - "展開" - "收合" - "切換展開模式" - "Android USB 週邊連接埠" - "Android" - "USB 週邊連接埠" - "更多選項" - "關閉溢出模式" - "最大化" - "關閉" - "%1$s%2$s" - - 已選取 %1$d 個項目 - 已選取 %1$d 個項目 + + Until %1$s + + Until %1$s (next alarm) + + Until you turn off + + Until you turn off Do Not Disturb + + %1$s / %2$s + + Collapse + + Do not disturb + + Downtime + + Weeknight + + Weekend + + Event + + Sleeping + + %1$s is muting some sounds + + There\'s an internal problem with your device, and it may be unstable until you factory data reset. + + There\'s an internal problem with your device. Contact your manufacturer for details. + + USSD request changed to regular call + USSD request changed to SS request + Changed to new USSD request + USSD request changed to video call + SS request changed to regular call + SS request changed to video call + SS request changed to USSD request + Changed to new SS request + + Work profile + + Alerted + + Expand + + Collapse + + toggle expansion + + Android USB Peripheral Port + + Android + + USB Peripheral Port + + + More options + + Close overflow + + + Picture In Picture + + Minimize + + Maximize + + Close + + \u2026 + + %1$s: %2$s + + + %1$d selected - "未分類" - "這些通知的重要性由你決定。" - "這則通知涉及特定人士,因此被歸為重要通知。" - "要允許「%1$s」替 %2$s (這個帳戶目前已有使用者) 建立新使用者嗎?" - "要允許「%1$s」替 %2$s 建立新使用者嗎?" - "新增語言" - "地區偏好設定" - "請輸入語言名稱" - "建議語言" - "所有語言" - "所有地區" - "搜尋" - "應用程式目前無法使用" - "目前無法使用「%1$s」。這項設定是由「%2$s」管理。" - "瞭解詳情" - "要開啟工作資料夾嗎?" - "系統將開啟你的辦公應用程式、通知、資料和其他工作資料夾功能" - "開啟" - "這個應用程式是專為舊版 Android 所打造,因此可能無法正常運作。請嘗試檢查更新,或是與開發人員聯絡。" - "檢查更新" - "你有新訊息" - "開啟簡訊應用程式來查看內容" - "部分功能可能遭到鎖定" - "工作資料夾目前處於鎖定狀態" - "輕觸即可將工作資料夾解鎖" - "已連線至 %1$s" - "輕觸即可查看檔案" - "固定" - "取消固定" - "應用程式資訊" - "−%1$s" - "正在啟動示範模式..." - "正在重設裝置..." - "已停用的%1$s" - "電話會議" - "工具提示" - "遊戲" - "音樂和音訊" - "電影和影片" - "相片和圖片" - "社交和通訊" - "新聞和雜誌" - "地圖和導航" - "生產應用" - "裝置儲存空間" - "USB 偵錯" - "點" - "分" - "設定時間" - "請輸入有效的時間" - "輸入時間" - "切換至文字輸入模式來輸入時間。" - "切換至時鐘模式來輸入時間。" - "自動填入選項" - "儲存以便用於自動填入" - "無法自動填入內容" - "沒有任何自動填入建議" - - %1$s 項自動填入建議 - 1 項自動填入建議 + Uncategorized + You set the importance of these notifications. + This is important because of the people involved. + + Allow %1$s to create a new User with %2$s (a User with this account already exists) ? + + Allow %1$s to create a new User with %2$s ? + + + Add a language + + Region preference + + Type language name + + Suggested + + All languages + + All regions + + Search + + App isn\u2019t available + + %1$s isn\u2019t available right now. This is managed by %2$s. + + + Learn more + + Turn on work profile? + + Your work apps, notifications, data, and other work profile features will be turned on + + Turn on + + This app was built for an older version of Android and may not work properly. Try checking for updates, or contact the developer. + + Check for update + + You have new messages + + Open SMS app to view + + Some functionality may be limited + + Work profile locked + + Tap to unlock work profile + + Connected to %1$s + + Tap to view files + + + Pin + + Unpin + + App info + + \u2212%1$s + + Starting demo\u2026 + + Resetting device\u2026 + + Disabled %1$s + + Conference Call + + Tooltip + + Games + + Music & Audio + + Movies & Video + + Photos & Images + + Social & Communication + + News & Magazines + + Maps & Navigation + + Productivity + + Device storage + + USB debugging + + hour + + minute + + Set time + + Enter a valid time + + Type in time + + Switch to text input mode for the time input. + + Switch to clock mode for the time input. + + Autofill options + + Save for Autofill + + Contents can\u2019t be autofilled + + No autofill suggestions + + + %1$s autofill suggestions - "要儲存到 ""%1$s"" 嗎?" - "要將%1$s儲存到 ""%2$s"" 嗎?" - "要將%1$s%2$s儲存到 ""%3$s"" 嗎?" - "要將%1$s%2$s%3$s儲存到 ""%4$s"" 嗎?" - "要更新 ""%1$s"" 中的內容嗎?" - "要更新 ""%2$s"" 中的%1$s嗎?" - "要更新 ""%3$s"" 中的%1$s%2$s嗎?" - "要更新 ""%4$s"" 中的%1$s%2$s%3$s嗎?" - "儲存" - "不用了,謝謝" - "更新" - "密碼" - "地址" - "信用卡" - "使用者名稱" - "電子郵件地址" - "請保持冷靜並尋找附近的避難地點。" - "請立即從沿海與河岸地區撤離,前往高地這類較安全的地點。" - "請保持冷靜並尋找附近的避難地點。" - "緊急訊息測試" - "回覆" - - "SIM 卡不支援語音" - "未佈建支援語音的 SIM 卡" - "SIM 卡不支援語音" - "手機不支援語音" - "不允許使用 SIM 卡 %d" - "未佈建 SIM 卡 %d" - "不允許使用 SIM 卡 %d" - "不允許使用 SIM 卡 %d" - "彈出式視窗" - "+ %1$d" - "應用程式版本已降級或與這個捷徑不相容" - "應用程式不支援備份與還原功能,因此無法還原捷徑" - "應用程式簽署不相符,因此無法還原捷徑" - "無法還原捷徑" - "捷徑已停用" - "解除安裝" - "仍要開啟" - "偵測到有害應用程式" - "「%1$s」想要顯示「%2$s」的區塊" - "編輯" - "有來電和通知時會震動" - "有來電和通知時會靜音" - "系統變更" - "零打擾" - "新功能:「零打擾」模式現在可以隱藏通知" - "輕觸即可瞭解詳情及進行變更。" - "「零打擾」設定已變更" - "輕觸即可查看遭封鎖的項目。" - "系統" - "設定" - "相機" - "麥克風" - "顯示在畫面上的其他應用程式上層" - "日常安排模式資訊通知" - "電池電力可能會在你平常的充電時間前耗盡" - "已啟用節約耗電量模式以延長電池續航力" - "節約耗電量" - "電池電量不足時,節約耗電量模式才會再次開啟" - "電池電量已足夠。電池電量不足時,節約耗電量模式才會再次開啟。" - "手機已充電至 %1$s" - "平板電腦已充電至 %1$s" - "裝置已充電至 %1$s" - "節約耗電量模式已關閉,各項功能不再受到限制。" - "節約耗電量模式已關閉,各項功能不再受到限制。" - "資料夾" - "Android 應用程式" - "檔案" - "%1$s 檔案" - "音訊" - "%1$s 音訊" - "影片" - "%1$s 影片" - "圖片" - "%1$s 圖片" - "封存檔" - "%1$s 封存檔" - "文件" - "%1$s 文件" - "試算表" - "%1$s 試算表" - "簡報" - "%1$s 簡報" - "載入中" - - %s」及另外 %d 個檔案 - %s」及另外 %d 個檔案 + + Save to %1$s? + + Save %1$s to %2$s? + + Save %1$s and %2$s to %3$s? + + Save %1$s, %2$s, and %3$s to %4$s? + + Update in %1$s? + + Update %1$s in %2$s? + + Update %1$s and %2$s in %3$s? + + Update these items in %4$s: %1$s, %2$s, and %3$s ? + + Save + + No thanks + + Update + + password + + address + + credit card + + username + + email address + + Stay calm and seek shelter nearby. + + Evacuate immediately from coastal regions and riverside areas to a safer place such as high ground. + + Stay calm and seek shelter nearby. + + Emergency messages test + + Reply + + + + SIM not allowed for voice + SIM not provisioned for voice + SIM not allowed for voice + Phone not allowed for voice + + SIM %d not allowed + SIM %d not provisioned + SIM %d not allowed + SIM %d not allowed + + Popup Window + + + %1$d + + App version downgraded, or isn\u2019t compatible with this shortcut + + Couldn\u2019t restore shortcut because app doesn\u2019t support backup and restore + + Couldn\u2019t restore shortcut because of app signature mismatch + + Couldn\u2019t restore shortcut + + Shortcut is disabled + + UNINSTALL + + OPEN ANYWAY + + Harmful app detected + + %1$s wants to show %2$s slices + + Edit + Calls and notifications will vibrate + Calls and notifications will be muted + Calls, notifications and media will be muted + + System changes + + Do Not Disturb + + New: Do Not Disturb is hiding notifications + + Tap to learn more and change. + + Do Not Disturb has changed + + Tap to check what\'s blocked. + + System + + Settings + + + Camera + + Microphone + + displaying over other apps on your screen + + + Routine Mode info notification + + Battery may run out before usual charge + + Battery Saver activated to extend battery life + + + Battery Saver + + Battery Saver won\u2019t reactivate until battery low again + + Battery has been charged to a sufficient level. Battery Saver won\u2019t reactivate until the battery is low again. + + Phone %1$s charged + + Tablet %1$s charged + + Device %1$s charged + + Battery Saver is off. Features no longer restricted. + + Battery Saver turned off. Features no longer restricted. + + Folder + + Android application + + File + + %1$s file + + Audio + + %1$s audio + + Video + + %1$s video + + Image + + %1$s image + + Archive + + %1$s archive + + Document + + %1$s document + + Spreadsheet + + %1$s spreadsheet + + Presentation + + %1$s presentation + + + Bluetooth will stay on during airplane mode + + + Loading + + %s + %d files - "無法使用直接分享功能" - "應用程式清單" + + Direct share not available + + Apps list diff --git a/core/res/res/values/du_config.xml b/core/res/res/values/du_config.xml index d420503b398ab..5442590da28a3 100644 --- a/core/res/res/values/du_config.xml +++ b/core/res/res/values/du_config.xml @@ -277,4 +277,7 @@ 0x3980FF + + + false diff --git a/core/res/res/values/du_symbols.xml b/core/res/res/values/du_symbols.xml index 2f48a6ad2bdee..0f406d67efb47 100644 --- a/core/res/res/values/du_symbols.xml +++ b/core/res/res/values/du_symbols.xml @@ -260,4 +260,7 @@ + + + diff --git a/libs/androidfw/ResourceTypes.cpp b/libs/androidfw/ResourceTypes.cpp index 70ccae9ed0b52..1e4819b72acb5 100644 --- a/libs/androidfw/ResourceTypes.cpp +++ b/libs/androidfw/ResourceTypes.cpp @@ -7402,12 +7402,12 @@ void ResTable::print_value(const Package* pkg, const Res_value& value) const print_complex(value.data, true); printf("\n"); } else if (value.dataType >= Res_value::TYPE_FIRST_COLOR_INT - || value.dataType <= Res_value::TYPE_LAST_COLOR_INT) { + && value.dataType <= Res_value::TYPE_LAST_COLOR_INT) { printf("(color) #%08x\n", value.data); } else if (value.dataType == Res_value::TYPE_INT_BOOLEAN) { printf("(boolean) %s\n", value.data ? "true" : "false"); } else if (value.dataType >= Res_value::TYPE_FIRST_INT - || value.dataType <= Res_value::TYPE_LAST_INT) { + && value.dataType <= Res_value::TYPE_LAST_INT) { printf("(int) 0x%08x or %d\n", value.data, value.data); } else { printf("(unknown type) t=0x%02x d=0x%08x (s=0x%04x r=0x%02x)\n", diff --git a/libs/hwui/DamageAccumulator.h b/libs/hwui/DamageAccumulator.h index 7d0b6877a71a8..030a20f31c42d 100644 --- a/libs/hwui/DamageAccumulator.h +++ b/libs/hwui/DamageAccumulator.h @@ -27,7 +27,7 @@ // Smaller than INT_MIN/INT_MAX because we offset these values // and thus don't want to be adding offsets to INT_MAX, that's bad #define DIRTY_MIN (-0x7ffffff - 1) -#define DIRTY_MAX (0x7ffffff) +#define DIRTY_MAX (0x8000000) namespace android { namespace uirenderer { diff --git a/media/mca/filterfw/java/android/filterfw/geometry/Point.java b/media/mca/filterfw/java/android/filterfw/geometry/Point.java index d7acf12dd1de6..425d5f74bd27f 100644 --- a/media/mca/filterfw/java/android/filterfw/geometry/Point.java +++ b/media/mca/filterfw/java/android/filterfw/geometry/Point.java @@ -102,9 +102,9 @@ public Point rotated90(int count) { } public Point rotated(float radians) { - // TODO(renn): Optimize: Keep cache of cos/sin values - return new Point((float)(Math.cos(radians) * x - Math.sin(radians) * y), - (float)(Math.sin(radians) * x + Math.cos(radians) * y)); + double cos = Math.cos(radians); + double sin = Math.sin(radians); + return new Point((float)(cos * x - sin * y), (float)(sin * x + cos * y)); } public Point rotatedAround(Point center, float radians) { diff --git a/packages/SettingsLib/src/com/android/settingslib/net/DataUsageController.java b/packages/SettingsLib/src/com/android/settingslib/net/DataUsageController.java index fc9e48c8def7c..812127c59e94c 100644 --- a/packages/SettingsLib/src/com/android/settingslib/net/DataUsageController.java +++ b/packages/SettingsLib/src/com/android/settingslib/net/DataUsageController.java @@ -298,7 +298,11 @@ public interface Callback { public DataUsageInfo getDailyDataUsageInfo() { NetworkTemplate template = DataUsageUtils.getMobileTemplate(mContext, mSubscriptionId); + return getDailyDataUsageInfo(template); + } + public DataUsageInfo getDailyWifiDataUsageInfo() { + NetworkTemplate template = NetworkTemplate.buildTemplateWifiWildcard(); return getDailyDataUsageInfo(template); } diff --git a/packages/SystemUI/res-keyguard/values/dimens.xml b/packages/SystemUI/res-keyguard/values/dimens.xml index f231e20adbe49..f9389ce24d96c 100644 --- a/packages/SystemUI/res-keyguard/values/dimens.xml +++ b/packages/SystemUI/res-keyguard/values/dimens.xml @@ -31,7 +31,7 @@ - 570dp + 450dp 8dp diff --git a/packages/SystemUI/res-keyguard/values/du_dimens.xml b/packages/SystemUI/res-keyguard/values/du_dimens.xml index 53c63116d4b44..efd8058efecb5 100644 --- a/packages/SystemUI/res-keyguard/values/du_dimens.xml +++ b/packages/SystemUI/res-keyguard/values/du_dimens.xml @@ -162,12 +162,9 @@ 10dp 6dp - - - 120dp 0dp 4dp + diff --git a/packages/SystemUI/res/drawable/ic_brightness_thumb.xml b/packages/SystemUI/res/drawable/ic_brightness_thumb.xml index d72198874b734..2e46126205d8b 100644 --- a/packages/SystemUI/res/drawable/ic_brightness_thumb.xml +++ b/packages/SystemUI/res/drawable/ic_brightness_thumb.xml @@ -1,29 +1,26 @@ - - + + android:fillColor="?android:attr/colorAccent" + android:pathData="M 21 0 C 32.5979797464 0 42 9.40202025355 42 21 C 42 32.5979797464 32.5979797464 42 21 42 C 9.40202025355 42 0 32.5979797464 0 21 C 0 9.40202025355 9.40202025355 0 21 0 Z" + android:strokeWidth="1.0" /> diff --git a/packages/SystemUI/res/layout/quick_qs_status_icons.xml b/packages/SystemUI/res/layout/quick_qs_status_icons.xml index f48ebb5e2183f..a078cc38012de 100644 --- a/packages/SystemUI/res/layout/quick_qs_status_icons.xml +++ b/packages/SystemUI/res/layout/quick_qs_status_icons.xml @@ -37,6 +37,33 @@ android:textColor="@color/qs_date_color" systemui:datePattern="@string/abbrev_wday_month_day_no_year_alarm" /> + + + + + + + - - - - - - - @@ -31,19 +33,18 @@ + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ar-rSA/du_strings.xml b/packages/SystemUI/res/values-ar-rSA/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ar-rSA/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ca-rES/du_strings.xml b/packages/SystemUI/res/values-ca-rES/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ca-rES/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-cs-rCZ/du_strings.xml b/packages/SystemUI/res/values-cs-rCZ/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-cs-rCZ/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-da-rDK/du_strings.xml b/packages/SystemUI/res/values-da-rDK/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-da-rDK/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-de-rDE/du_strings.xml b/packages/SystemUI/res/values-de-rDE/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-de-rDE/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-el-rGR/du_strings.xml b/packages/SystemUI/res/values-el-rGR/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-el-rGR/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-en-rUS/du_strings.xml b/packages/SystemUI/res/values-en-rUS/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-en-rUS/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-es-rES/du_strings.xml b/packages/SystemUI/res/values-es-rES/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-es-rES/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-fi-rFI/du_strings.xml b/packages/SystemUI/res/values-fi-rFI/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-fi-rFI/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-fr-rFR/du_strings.xml b/packages/SystemUI/res/values-fr-rFR/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-fr-rFR/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-hi-rIN/du_strings.xml b/packages/SystemUI/res/values-hi-rIN/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-hi-rIN/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-hu-rHU/du_strings.xml b/packages/SystemUI/res/values-hu-rHU/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-hu-rHU/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-in-rID/du_strings.xml b/packages/SystemUI/res/values-in-rID/du_strings.xml new file mode 100644 index 0000000000000..0a8bfc022e31f --- /dev/null +++ b/packages/SystemUI/res/values-in-rID/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Tahan & tarik atau ketuk untuk menambahkan ubin + + Tahan & tarik untuk mengatur kembali atau ketuk untuk menghapus + + Mulai perekaman? + Saat merekam, sistem Android dapat menangkap informasi sensitif yang terlihat pada layar Anda atau yang sedang dijalankan pada perangkat Anda. Termasuk kata sandi, info pembayaran, foto-foto, pesan-pesan, dan audio. + Mulai + Batal + Sumber suara + Internal + Mikrofon + Dinonaktifkan + Tampilkan sentuhan pada layar + Tampilkan titik berhenti + Bitrate video + + Tangkapan layar + Perekam Layar + + Lanjutan + Pemulihan + Bootloader + Ui Sistem + + Ikon statusbar + VPN + + Sinkronisasi + Sinkronisasi mati + Sinkronisasi aktif + Sinkronisasi dimatikan + Sinkronisasi diaktifkan + + Tampilan ambien + Tampilan ambient mati. + Tampilan ambien hidup. + Tampilan ambient dimatikan. + Tampilan ambient diaktifkan. + + Suara + Dering + Bergetar + Jangan ganggu + + Mulai ulang + Pemulihan + Matikan daya + + Notifikasi Mengambang + Notifikasi mengambang mati. + Notifikasi mengambang hidup. + Notifikasi mengambang dinonaktifkan. + Notifikasi mengambang diaktifkan. + + Tangkapan layar + Tangkapan layar sebagian + + + Penghemat Baterai + Pelaporan Lokasi: mode hemat baterai. + Sensor saja + Pelaporan lokasi: hanya sensor. + Akurasi Tinggi + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + Ini membuatnya tetap terlihat sampai Anda melepaskan pin. sentuh & tahan Kembali untuk melepaskan sematan. + Untuk melepas sematan layar ini, sentuh & tahan tombol Kembali + Untuk melepas sematan layar ini, sentuh & tahan tombol Kembali + + Pilih satu aplikasi + Aplikasi dimatikan + Peluncur tidak dapat dihentikan + + ADB melalui Jaringan + ADB melalui Jaringan + ADB melalui Jaringan + Jaringan ADB diaktifkan paksa pada port %1$s + + Tombol fisik aktif + Tombol Fisik nonaktif + Tombol Fisik + + Bilah Navigasi + Bilah navigasi dinonaktifkan + Bilah navigasi diaktifkan + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-it-rIT/du_strings.xml b/packages/SystemUI/res/values-it-rIT/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-it-rIT/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-iw-rIL/du_strings.xml b/packages/SystemUI/res/values-iw-rIL/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-iw-rIL/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ja-rJP/du_strings.xml b/packages/SystemUI/res/values-ja-rJP/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ja-rJP/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ko-rKR/du_strings.xml b/packages/SystemUI/res/values-ko-rKR/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ko-rKR/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-nl-rNL/du_strings.xml b/packages/SystemUI/res/values-nl-rNL/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-nl-rNL/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-no-rNO/du_strings.xml b/packages/SystemUI/res/values-no-rNO/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-no-rNO/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-pl-rPL/du_strings.xml b/packages/SystemUI/res/values-pl-rPL/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-pl-rPL/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-pt-rBR/du_strings.xml b/packages/SystemUI/res/values-pt-rBR/du_strings.xml index fd265277e24fc..992c24a7b092a 100644 --- a/packages/SystemUI/res/values-pt-rBR/du_strings.xml +++ b/packages/SystemUI/res/values-pt-rBR/du_strings.xml @@ -17,59 +17,64 @@ */ --> - - + Segure & arraste ou toque para adicionar blocos - - + Segure & arraste para reorganizar ou toque para remover - - + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + Avançado Recuperação Bootloader SystemUI - - + Ícones da barra de status VPN - - + Sincronizar Sincronização desativada Sincronização ativada A sincronização foi desativada A sincronização foi ativada - - + Tela Ambiente Tela ambiente desligada. Tela ambiente foi ligada. Tela ambiente foi desligada. Tela ambiente foi ligada. - - + Som Toque Vibrar \"Não perturbe\" - - + Reiniciar Recuperação - - + Power off + Notificações pop-up Notificações pop-up desativadas. Notificações pop-up ativadas. As notificações pop-up foram desativadas. As notificações pop-up foram ativadas. - - + Captura Captura parcial - - + Economia de bateria Modo de localização: economia de bateria. @@ -77,45 +82,38 @@ Relatório de localização: modo somente sensores. Alta precisão Relatório de localização: alta precisão. - - + Abrir tela de Serviços em Execução. - - + Informações da CPU Informação da CPU desligado Informação da CPU ligada - - + + Screenrecord + %s - As notificações flutuantes vão parar por 1 minuto. %s - As notificações flutuantes serão silenciadas por %d minutos. - - + Forçar interrupção? - Se você forçar a parada de um app, ele pode apresentar mau funcionamento. - \@android:string/ok + If you force stop an app, it may misbehave. + @android:string/ok \@android:string/cancelar Fechar Aplicativo - - + Padrão Nenhum - - + Deslize a partir do ícone para iniciar - - + Alternar dados Usando SIM 1 para dados móveis Usando SIM 2 para dados móveis - - + Layout - Formato Navbar + Navbar format Cursor left Cursor right - - + Temas Light Google dark @@ -123,63 +121,67 @@ Solarized dark Choco X Baked Green + Dark grey + Material ocean + Corvus clear Selecione um tema - - + O modo de jogo está desativado nas configurações Modo de Jogo - - + O modo de jogo foi desativado. - - + O modo de jogo foi ativado. - - + Modo imersivo Barra de Status imersiva Barra de Navegação Imersiva Modo imersivo completo - - + Modo cafeína Desligado Modo cafeína desativado Modo cafeína ativado - - + Captura de tela excluída - - + Ela é mantida à vista até que seja liberada. Toque & em \"Voltar\" e mantenha essa opção pressionada para liberar. Ela é mantida à vista até que seja liberada. Toque & em \"Voltar\" e mantenha essa opção pressionada para liberar. Ela é mantida à vista até que seja liberada. Toque & em \"Voltar\" e mantenha essa opção pressionada para liberar. Ela é mantida à vista até que seja liberada. Toque & em \"Voltar\" e mantenha essa opção pressionada para liberar. Para desafixar esta tela, toque & segure o botão Voltar Para desafixar esta tela, toque & segure o botão Voltar - - - Selecione um app + + Select an app Aplicativo encerrado Lançador não pode ser encerrado - - + ADB através da Rede ADB através da Rede ADB através da Rede A rede ADB é forçada a ativar na porta: %1$s - - + Teclas físicas ativadas Teclas físicas desativadas Teclas físicas - - + Barra de Navegação Barra de navegação desativada Barra de navegação ativada - - - utilizado - + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage diff --git a/packages/SystemUI/res/values-pt-rPT/du_strings.xml b/packages/SystemUI/res/values-pt-rPT/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-pt-rPT/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ro-rRO/du_strings.xml b/packages/SystemUI/res/values-ro-rRO/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ro-rRO/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-ru-rRU/du_strings.xml b/packages/SystemUI/res/values-ru-rRU/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-ru-rRU/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-sr-rSP/du_strings.xml b/packages/SystemUI/res/values-sr-rSP/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-sr-rSP/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-sv-rSE/du_strings.xml b/packages/SystemUI/res/values-sv-rSE/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-sv-rSE/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-tr-rTR/du_strings.xml b/packages/SystemUI/res/values-tr-rTR/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-tr-rTR/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-uk-rUA/du_strings.xml b/packages/SystemUI/res/values-uk-rUA/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-uk-rUA/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-vi-rVN/du_strings.xml b/packages/SystemUI/res/values-vi-rVN/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-vi-rVN/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-zh-rCN/du_strings.xml b/packages/SystemUI/res/values-zh-rCN/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-zh-rCN/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values-zh-rTW/du_strings.xml b/packages/SystemUI/res/values-zh-rTW/du_strings.xml new file mode 100644 index 0000000000000..a9aeaf4f96a44 --- /dev/null +++ b/packages/SystemUI/res/values-zh-rTW/du_strings.xml @@ -0,0 +1,187 @@ + + + + + Hold & drag or tap to add tiles + + Hold & drag to rearrange or tap to remove + + Start recording? + While recording, Android system can capture any sensitive information that\'s visible on your screen or played on your device. This includes passwords, payment info, photos, messages, and audio. + Start + Cancel + Audio source + Internal + Microphone + Disabled + Show touches on screen + Show stop dot + Video bitrate + + Screenshot + Screen record + + Advanced + Recovery + Bootloader + SystemUI + + Statusbar icon + VPN + + Sync + Sync off + Sync on + Sync turned off + Sync turned on + + Ambient display + Ambient display off. + Ambient display on. + Ambient display turned off. + Ambient display turned on. + + Sound + Ring + Vibrate + Do not disturb + + Reboot + Recovery + Power off + + Heads up + Heads up off. + Heads up on. + Heads up turned off. + Heads up turned on. + + Screenshot + Partial screenshot + + + Battery Saving + Location reporting: battery saving mode. + Sensors Only + Location reporting: sensors only mode. + High Accuracy + Location reporting: high accuracy mode. + + Open Running Services screen. + + CPU Info + CPU Info off + CPU Info on + + Screenrecord + + %s - Peeking notification are snoozing for 1 minute. + %s - Peeking notifications are snoozing for %d minutes. + + Force stop? + If you force stop an app, it may misbehave. + @android:string/ok + @android:string/cancel + Close App + + Default + None + + Swipe from icon to launch + + Switch data card + Using SIM 1 for Mobile data + Using SIM 2 for Mobile data + + Layout + Navbar format + Cursor left + Cursor right + + Theme + Light + Google dark + Pitch black + Solarized dark + Choco X + Baked green + Dark grey + Material ocean + Corvus clear + Select theme + + Gaming mode is disabled in settings + Gaming mode + + Gaming mode turned off. + + Gaming mode turned on. + + Immersive mode + Immersive statusbar + Immersive navbar + Immersive full + + Caffeine + Off + Caffeine off + Caffeine on + + Screenshot deleted + + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + This keeps it in view until you unpin. Touch & hold Back to unpin. + To unpin this screen, touch & hold Back button + To unpin this screen, touch & hold Back button + + Select an app + App killed + Launcher cannot be killed + + ADB over Network + ADB over Network + ADB over Network + ADB network forced enabled on port: %1$s + + HW keys on + HW keys off + HW Keys + + Navigation Bar + Navigation bar turned off + Navigation bar turned on + + Alerting notifications + + FPS Info + FPS Info off + FPS Info on + + AOD + + USB tethering off + USB tethering on + USB tethering turned off + USB tethering turned on + USB tethering + + Today\'s usage + diff --git a/packages/SystemUI/res/values/du_colors.xml b/packages/SystemUI/res/values/du_colors.xml index 0db54f67dba71..f7372a796d60a 100644 --- a/packages/SystemUI/res/values/du_colors.xml +++ b/packages/SystemUI/res/values/du_colors.xml @@ -46,4 +46,8 @@ #ff000000 + + + #20000000 + diff --git a/packages/SystemUI/res/values/du_config.xml b/packages/SystemUI/res/values/du_config.xml index 375cd349b3ef2..1a3c92fe69c57 100644 --- a/packages/SystemUI/res/values/du_config.xml +++ b/packages/SystemUI/res/values/du_config.xml @@ -72,9 +72,6 @@ true - - false - false diff --git a/packages/SystemUI/res/values/du_dimens.xml b/packages/SystemUI/res/values/du_dimens.xml index 30066d8149150..4e73d34f81958 100644 --- a/packages/SystemUI/res/values/du_dimens.xml +++ b/packages/SystemUI/res/values/du_dimens.xml @@ -46,8 +46,8 @@ 6dp + 1.5dp 4dp - 2dp 10dp @@ -120,4 +120,6 @@ 13.5dp + + 4dp diff --git a/packages/SystemUI/res/values/du_styles.xml b/packages/SystemUI/res/values/du_styles.xml index dcf82a8815597..eca67bbbf9bda 100644 --- a/packages/SystemUI/res/values/du_styles.xml +++ b/packages/SystemUI/res/values/du_styles.xml @@ -33,8 +33,8 @@