- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我似乎不理解 setPersistenceEnabled 。
我以为是通过调用
FirebaseDatabase.getInstance().setPersistenceEnabled(true);
作为我的 Android 应用程序对象中的第一件事,即使在飞行模式下,我也可以在本地读取和写入 Firebase 数据,并且我的数据将存储在本地,因此在应用程序下次启动时可用,即使在飞行模式下也是如此.
我认为应用程序离线时进行的写入会在网络再次可用时与 FB 数据库同步。
看来完全不是这样。
[编辑]在飞行模式下写入已完成,但该数据似乎无法读取。
addListenerForSingleValueEvent 和 ValueEventListener 不检测没有网络的数据库写入。
谁能帮我理解 setPersistenceEnabled(true) 的作用,以及它的典型用例是什么?
编辑添加:
我编写了我能想到的最小的 Android Firebase 数据库应用程序。
这是应用类:
import android.app.Application;
import android.util.Log;
import com.google.firebase.database.FirebaseDatabase;
public class TheApp extends Application {
@Override
public void onCreate() {
super.onCreate();
// See https://firebase.google.com/docs/reference/android/com/google/firebase/database/FirebaseDatabase.html#public-methods
FirebaseDatabase.getInstance().setPersistenceEnabled(true);
Log.d("TheApp", "application created");
}
}
所有主要 Activity 都是在 EditText 旁边显示一个“保存”按钮。在 onCreate MainActivity 中登录一个已知用户。当用户随后单击保存按钮时,EditText 中的字符串将写入 Firebase。
package com.grayraven.simpledb;
import android.os.Bundle;
import android.support.annotation.NonNull;
import android.support.v7.app.AppCompatActivity;
import android.support.v7.widget.Toolbar;
import android.util.Log;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import com.google.android.gms.tasks.OnCompleteListener;
import com.google.android.gms.tasks.Task;
import com.google.firebase.auth.AuthResult;
import com.google.firebase.auth.FirebaseAuth;
import com.google.firebase.auth.FirebaseUser;
import com.google.firebase.database.DatabaseReference;
import com.google.firebase.database.FirebaseDatabase;
import com.google.firebase.database.ValueEventListener;
public class MainActivity extends AppCompatActivity {
FirebaseAuth mAuth;
FirebaseUser mUser;
ValueEventListener mListener;
private FirebaseAuth.AuthStateListener mAuthListener;
private static final String TAG = "Main";
FirebaseDatabase db = FirebaseDatabase.getInstance();
DatabaseReference dbRef;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Toolbar toolbar = (Toolbar) findViewById(R.id.toolbar);
setSupportActionBar(toolbar);
dbRef = db.getReference("/data/strings/");
Button btnSave = (Button)findViewById(R.id.btn_save);
btnSave.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
EditText editText = (EditText)findViewById(R.id.editText);
String text = String.valueOf(editText.getText());
dbRef.setValue(text);
}
});
signIn();
}
private void signIn() {
mAuth= FirebaseAuth.getInstance();
String email = "jim@example.com"; //valid credentials
String password = "12345678";
mAuth.signInWithEmailAndPassword(email, password)
.addOnCompleteListener(this, new OnCompleteListener<AuthResult>() {
@Override
public void onComplete(@NonNull Task<AuthResult> task) {
Log.d(TAG, "signInWithEmail:onComplete:" + task.isSuccessful());
// If sign in fails, display a message to the user. If sign in succeeds
// the auth state listener will be notified and logic to handle the
// signed in user can be handled in the listener.
if (!task.isSuccessful()) {
//always fails when offline
Log.w(TAG, "signInWithEmail failed", task.getException());
}
}
});
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
// Inflate the menu; this adds items to the action bar if it is present.
getMenuInflater().inflate(R.menu.menu_main, menu);
return true;
}
@Override
public boolean onOptionsItemSelected(MenuItem item) {
// Handle action bar item clicks here. The action bar will
// automatically handle clicks on the Home/Up button, so long
// as you specify a parent activity in AndroidManifest.xml.
int id = item.getItemId();
//noinspection SimplifiableIfStatement
if (id == R.id.action_settings) {
return true;
}
return super.onOptionsItemSelected(item);
}
}
只要设备连接到网络,这一切都有效。
如果应用程序在没有网络连接的情况下启动,则登录失败,因此用户无能为力。
如果应用程序运行时网络连接断开,则不会保留任何已保存的字符串,并会在网络恢复时上传到 Firebase。
这是预期的行为吗?此行为似乎与下面引用的文档不一致:
public synchronized void setPersistenceEnabled (boolean isEnabled)
The Firebase Database client will cache synchronized data and keep track of all writes you've initiated while your application is running. It seamlessly handles intermittent network connections and re-sends write operations when the network connection is restored. However by default your write operations and cached data are only stored in-memory and will be lost when your app restarts. By setting this value to
true
, the data will be persisted to on-device (disk) storage and will thus be available again when the app is restarted (even when there is no network connectivity at that time). Note that this method must be called before creating your first Database reference and only needs to be called once per application.
最佳答案
我的问题很简单。即使我有我的 TheApp 类,我也忘记更新 list 以便首先调用 TheApp。您可以使用“名称”应用程序标签来做到这一点:
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:supportsRtl="true"
android:theme="@style/AppTheme"
android:name="com.grayraven.simpledb.TheApp"> <!-- I forgot this! -->
现在应用程序似乎在线或离线都可以正常工作,因为实际上正在调用 setPersistenceEnabled(true)。唯一的限制是,如果您注销然后丢失网络,则无法进行身份验证。但是看起来,如果您通过了身份验证,您的应用程序将可以离线工作,即使您重新启动它也是如此。至少看起来是这样。
关于android - FirebaseDatabase.getInstance().setPersistenceEnabled(true) 到底做了什么?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38001919/
这个问题在这里已经有了答案: Why in Python does "0, 0 == (0, 0)" equal "(0, False)"? (7 个回答) 去年关闭。 代码片段 1: a = Tru
Integer i = 127; Integer j = 127; System.out.println(i == j); System.out.println(i.equals(j)); Integ
我试图用 Python 进行类似下面的代码的比较,但对产生的输出感到困惑。 谁能解释为什么输出是这样的? >>> True, True == True, True (True, True, True)
我们的下拉值是动态的 010100。 你能帮我将这些值转换为 true、false 吗? Offer的值是10100,Reject的值是10111。所以这些需要转换成 10100 = true,fal
我正在测试,如果用户在页面顶部显示一种货币“EUR”和另一种货币“GBP”,那么我期望包含文本“EUR”和页面下方还存在另一个包含文本“GBP”的链接。它包含在一个名为 "nav-tabs au-ta
如何检查数组的所有元素是真值还是假值。 因为以下内容似乎没有做到这一点:_.all([true, true, true], true); 它返回:false? 最佳答案 您应该重新阅读_.every(
C#:我有一个如下所示的字符串变量: string a = "(true and true) or (true or false)"; 这可以是任何东西,它可以变得更复杂,比如: string b
ruby : true == true == true syntax error, unexpected tEQ 对比JavaScript: true == true == true // => tr
这个问题已经有答案了: Equality of truthy and falsy values (JavaScript) (3 个回答) Which equals operator (== vs ==
为什么 R 中的 TRUE == "TRUE" 是 TRUE? R 中是否有与 === 等效的内容? 更新: 这些都返回FALSE: TRUE == "True" TRUE == "true" TRU
简单的查询,可能不可能,但我知道那里有一些聪明的人:) 给定一个 bool 参数,我希望定义我的 where 子句来限制特定列的输出 - 或不执行任何操作。 因此,给定参数@bit = 1,结果将是:
编写 Excel 公式时,将值设置为 true、“true”还是 true() 是否有区别? 换句话来说,以下哪一个是最好的?还是要看具体情况? if (A1 = 1, true, false) if
如果我们评估这个:TRUE AND TRUE,为什么会这样? 'yes' : 'no' 等于 TRUE 但不等于 yes 何时评估:(TRUE AND TRUE) ? 'yes' : 'no' 等于
这个问题在这里已经有了答案: Behaviour of and operator in javascript [duplicate] (1 个回答) 关闭 7 年前。 如题所说,我不太明白为什么(t
我有一个包含 FromDate 、 ToDate 、 VendorName 和 GoodsName 的表单,一旦一切为真,我需要显示结果 示例: FromDate="11/20/2019"、ToDat
我最近参加了 Java 的入门测试,这个问题让我很困惑。完整的问题是: boolean b1 = true; boolean b2 = false; if (b2 != b1 != b2) S
我有一个模型,我有: ipv4_address = models.IPAddressField(verbose_name=_('ipv4 address'), blank=True, null=Tru
False in [True,True] False in pd.Series([True,True]) 第一行代码返回False第二行代码返回 True! 我想我一定是做错了什么或者遗漏了什么。当我
我可以在 Coq 中证明以下内容吗? Lemma bool_uip (H1 : true = true): H1 = eq_refl true. 即true = true 的所有证明都相同吗? 例如
如果我的理解是正确的,他们做的事情完全一样。为什么有人会使用“for”变体?仅仅是味道吗? 编辑:我想我也在考虑 for (;;)。 最佳答案 for (;;) 通常用于防止编译器警告: while(
我是一名优秀的程序员,十分优秀!