- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
我无法将数据插入 SQLite,也看不到我的表。我尝试在 DB Browser for SQLite 中查看表格,但我看不到任何插入的内容,也看不到我创建的行。
数据库助手:
公共(public)类 DatabaseHelper 扩展了 SQLiteOpenHelper {
// Database Version
public static final int DATABASE_VERSION = 1;
// Database Name
public static final String DATABASE_NAME = "traineeInfo";
// Contacts table name
public static final String TABLE_NAME = "trainee";
// Trainee Table Columns names
public static final String COL_ID = "ID";
public static final String COL_USERNAME = "USERNAME";
public static final String COL_NAME = "NAME";
public static final String COL_PASS = "PASSWORD";
public static final String COL_EMAIL = "EMAIL";
SQLiteDatabase db;
//DataBase Helper
public DatabaseHelper(Context context) {
super(context, DATABASE_NAME, null, DATABASE_VERSION);
}
//onCreat
@Override
public void onCreate(SQLiteDatabase db) {
String CREATE_CONTACTS_TABLE = "create table contacts (id integer primary key not null ," +
" username text not null, name text not null, email text not null,password text not null );";
db.execSQL(CREATE_CONTACTS_TABLE);
this.db = db;
}
//onUpgrade
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
// Drop older table if existed
db.execSQL("DROP TABLE IF EXISTS " + TABLE_NAME);
// Creating tables again
this.onCreate(db);
}
//Adding new trainee
public void addTrainee(Trainee trainee) {
SQLiteDatabase db = this.getWritableDatabase();
ContentValues values = new ContentValues();
int count = getTraineeCount();
values.put(COL_ID, count);
values.put(COL_USERNAME, trainee.getUsername());
values.put(COL_NAME, trainee.getName());
values.put(COL_PASS, trainee.getPassword());
values.put(COL_EMAIL, trainee.getEmail());
// Inserting Row
db.insert(TABLE_NAME, null, values);
db.close();// Closing database connection
}
//Check the match beetwen user data and database
public String searchPassword(String username) {
//Read data from dataBase
db = this.getReadableDatabase();
// Getting trainee Count
public int getTraineeCount() {
String countQuery = "SELECT * FROM " + TABLE_NAME;
SQLiteDatabase db = this.getReadableDatabase();
Cursor cursor = db.rawQuery(countQuery, null);
cursor.close();
// return count
return cursor.getCount();
}
注册JuinUs类:
公共(public)类 JoinUs 扩展了 AppCompatActivity {
private static final Pattern PASSWORD_PATTERN =
Pattern.compile("^" +
"(?=.*[a-zA-Z])" + //any letter
"(?=\\S+$)" + //no white spaces
".{4,}" + //at least 4 characters
"$");
//The database helper.
DatabaseHelper myDb;
private TextInputLayout textInputUsername;
private TextInputLayout textInputEmail;
private TextInputLayout textInputName;
private TextInputLayout textInputPassword;
private TextInputLayout textInputConfirmPassword;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_join_us);
//Creat the databas.
myDb = new DatabaseHelper(this);
textInputUsername = findViewById(R.id.etUserName);
textInputName = findViewById(R.id.etName);
textInputEmail = findViewById(R.id.etEmail);
textInputPassword = findViewById(R.id.etPassword);
textInputConfirmPassword = findViewById(R.id.etConfirmPassword);
TextView tvLogin = (TextView) findViewById(R.id.tvLogin);
//onClick on text view juin us for register activity.
tvLogin.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent intent = new Intent(JoinUs.this,Login.class);
startActivity(intent);
finish();
}
});
}
public void confirminput(View v) {
//If one of the validate retuen false the validation faild.
if ( !validateEmail() || !validateUsername() || !validateName() || !validatePassword()) {
Toast.makeText(getApplicationContext(), " Validation NOT OK", Toast.LENGTH_LONG).show();
return;
}
//Inserting Trainee.
Trainee trainee = new Trainee();
trainee.setUsername( textInputUsername.getEditText().getText().toString().trim());
trainee.setName(textInputName.getEditText().getText().toString().trim());
trainee.setEmail(textInputEmail.getEditText().getText().toString().trim());
trainee.setPassword(textInputPassword.getEditText().getText().toString().trim());
//Insert Method data .
myDb.addTrainee(trainee);
}
//Validate User name.
private boolean validateUsername() {
String usernameInput = textInputUsername.getEditText().getText().toString().trim();
if (usernameInput.isEmpty()) {
textInputUsername.setError("Field can't be empty");
return false;
} else if (usernameInput.length() > 15) {
textInputUsername.setError("Username too long");
return false;
} else {
textInputUsername.setError(null);
return true;
}
}
//Validate Email
private boolean validateEmail() {
String emailInput = textInputEmail.getEditText().getText().toString().trim();
/*Check if email already exist
if (checkIfExists(emailInput)) {
textInputEmail.setError("Email already exist");
return false;
}else*/
if (emailInput.isEmpty()) {
textInputEmail.setError("Field can't be empty");
return false;
} else if (!Patterns.EMAIL_ADDRESS.matcher(emailInput).matches()) {
textInputEmail.setError("Please enter a valid email address");
return false;
} else {
textInputEmail.setError(null);
return true;
}
}
//Validate Name
private boolean validateName() {
String firstnameInput = textInputName.getEditText().getText().toString().trim();
if (firstnameInput.isEmpty()) {
textInputName.setError("Field can't be empty");
return false;
} else if (firstnameInput.length() > 15) {
textInputName.setError("Username too long");
return false;
} else {
textInputName.setError(null);
return true;
}
}
//Validate Password
private boolean validatePassword() {
String passwordInput = textInputPassword.getEditText().getText().toString().trim();
String confirmPasswordInput = textInputConfirmPassword.getEditText().getText().toString().trim();
//Check if password & confirm password match
if (passwordInput.equals(confirmPasswordInput)) {
if (passwordInput.length() < 4) {
textInputPassword.setError("Password must contain 4 characters");
return false;
}else if (passwordInput.contains(" ")) {
textInputPassword.setError("No Spaces Allowed");
return false;
}else if (!PASSWORD_PATTERN.matcher(passwordInput).matches()) {
textInputPassword.setError("Password must contain any letter");
return false;
}else if (confirmPasswordInput.length() < 4) {
textInputConfirmPassword.setError("Password must contain 4 characters");
return false;
}else if (confirmPasswordInput.contains(" ")) {
textInputConfirmPassword.setError("No Spaces Allowed");
return false;
}else if (confirmPasswordInput.isEmpty()) {
textInputConfirmPassword.setError("Field can't be empty");
return false;
}else if (!PASSWORD_PATTERN.matcher(confirmPasswordInput).matches()) {
textInputConfirmPassword.setError("Password must contain any letter");
return false;
}else {
textInputConfirmPassword.setError(null);
textInputPassword.setError(null);
return true;
}
}else {
textInputConfirmPassword.setError("Password don't match!");
return false;
}
}
最佳答案
您正在尝试向一个不存在的表添加条目,因为您没有在 DatabaseHelper
的 onCreate
方法中创建正确的表> 类(class)(联系人!= 实习生)。
所以改变这个:
@Override
public void onCreate(SQLiteDatabase db) {
String CREATE_CONTACTS_TABLE = "create table contacts (id integer primary key not null ," +
" username text not null, name text not null, email text not null,password text not null );";
db.execSQL(CREATE_CONTACTS_TABLE);
this.db = db;
}
到:
@Override
public void onCreate(SQLiteDatabase db) {
String createTraineeTable = "create table trainee (id integer primary key not null ," +
" username text not null, name text not null, email text not null,password text not null );";
db.execSQL(createTraineeTable);
this.db = db;
}
此外,我建议您格式化字符串并使用您定义的常量来防止出现此类错误。例如:
String createTraineeTable = String.format("create table %s (%s integer primary key not null, %s text not null, %s text not null, %s text not null, %s text not null", TABLE_NAME , COL_ID, COL_USERNAME, COL_NAME, COL_PASS, COL_EMAIL);
关于java - 我看不到数据,也看不到我创建的 sqlite 表,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/52586045/
我有一台 MySQL 服务器和一台 PostgreSQL 服务器。 需要从多个表中复制或重新插入一组数据 MySQL 流式传输/同步到 PostgreSQL 表。 这种复制可以基于时间(Sync)或事
如果两个表的 id 彼此相等,我尝试从一个表中获取数据。这是我使用的代码: SELECT id_to , email_to , name_to , status_to
我有一个 Excel 工作表。顶行对应于列名称,而连续的行每行代表一个条目。 如何将此 Excel 工作表转换为 SQL 表? 我使用的是 SQL Server 2005。 最佳答案 这取决于您使用哪
我想合并两个 Django 模型并创建一个模型。让我们假设我有第一个表表 A,其中包含一些列和数据。 Table A -------------- col1 col2 col3 col
我有两个表:table1,table2,如下所示 table1: id name 1 tamil 2 english 3 maths 4 science table2: p
关闭。此题需要details or clarity 。目前不接受答案。 想要改进这个问题吗?通过 editing this post 添加详细信息并澄清问题. 已关闭 1 年前。 Improve th
下面两个语句有什么区别? newTable = orginalTable 或 newTable.data(originalTable) 我怀疑 .data() 方法具有性能优势,因为它在标准 AX 中
我有一个表,我没有在其中显式定义主键,它并不是真正需要的功能......但是一位同事建议我添加一个列作为唯一主键以随着数据库的增长提高性能...... 谁能解释一下这是如何提高性能的? 没有使用索引(
如何将表“产品”中的产品记录与其不同表“图像”中的图像相关联? 我正在对产品 ID 使用自动增量。 我觉得不可能进行关联,因为产品 ID 是自动递增的,因此在插入期间不可用! 如何插入新产品,获取产品
我有一个 sql 表,其中包含关键字和出现次数,如下所示(尽管出现次数并不重要): ____________ dog | 3 | ____________ rat | 7 | ____
是否可以使用目标表中的LAST_INSERT_ID更新源表? INSERT INTO `target` SELECT `a`, `b` FROM `source` 目标表有一个自动增量键id,我想将其
我正在重建一个搜索查询,因为它在“我看到的”中变得多余,我想知道什么 (albums_artists, artists) ( ) does in join? is it for boosting pe
以下是我使用 mysqldump 备份数据库的开关: /usr/bin/mysqldump -u **** --password=**** --single-transaction --databas
我试图获取 MySQL 表中的所有行并将它们放入 HTML 表中: Exam ID Status Assigned Examiner
如何查询名为 photos 的表中的所有记录,并知道当前用户使用单个查询将哪些结果照片添加为书签? 这是我的表格: -- -- Table structure for table `photos` -
我的网站都在 InnoDB 表上运行,目前为止运行良好。现在我想知道在我的网站上实时发生了什么,所以我将每个页面浏览量(页面、引荐来源网址、IP、主机名等)存储在 InnoDB 表中。每秒大约有 10
我在想我会为 mysql 准备两个表。一个用于存储登录信息,另一个用于存储送货地址。这是传统方式还是所有内容都存储在一张表中? 对于两个表...有没有办法自动将表 A 的列复制到表 B,以便我可以引用
我不是程序员,我从这个表格中阅读了很多关于如何解决我的问题的内容,但我的搜索效果不好 我有两张 table 表 1:成员 id*| name | surname -------------------
我知道如何在 ASP.NET 中显示真实表,例如 public ActionResult Index() { var s = db.StaffInfoDBSet.ToList(); r
我正在尝试运行以下查询: "insert into visits set source = 'http://google.com' and country = 'en' and ref = '1234
我是一名优秀的程序员,十分优秀!