Android学习之路之数据存储(二)

目录

  • 写在前面
  • 2. 共享参数:SharedPreferences
    • 2.1 SharedPreferences常用操作
      • 2.1.1 写操作
      • 2.1.2 读操作
  • 3. 数据库:SQLite
    • 3.1 SQLite的基本用法
      • 3.1.1 SQLiteDatabase相关API
    • 3.2 数据库帮助器SQLiteOpenHelper
      • 3.2.1 相关实例

写在前面

Android有五种主要存储方式的用法,包括

  1. SD卡文件
  2. 共享参数:SharedPreferences
  3. 数据库:SQLite
  4. 应用Application基础
  5. 内容提供器:ContentProvider

下面,我们将要讲解一下共享参数:SharedPreferences和数据库:SQLite


2. 共享参数:SharedPreferences

SharedPreferences是Android的一个轻量级存储工具,SharedPreferences的存储介质是符合XML规范的配置文件。保存SharedPreferences键值对信息的文件路径是/data/data/应用包名/shared_prefs/文件名.xml

<?xml version='1.0 encoding='utf-8' standalone='yes’?>
<map><string name="name">Xiao ming</string><int name="age" value="30"/><boolean name="married" value="true"/><float name="weight" value="100.0"/>
</map>

SharedPreferences主要适用于如下场合:

  1. 简单且孤立的数据。
  2. 文本形式的数据。
  3. 需要持久化存储的数据。在App退出后再次启动时,之前保存的数据仍然有效。

2.1 SharedPreferences常用操作

// 从share.xml中获取共享参数对象
// 第一个参数是文件名,上面的share表示当前使用的共享参数文件名是share.xml
// 第二个参数是操作模式,一般都填 MODE_PRIVATE,表示私有模式
SharedPreferences shared = getSharedPreferences("share", MODE_PRIVATE);

2.1.1 写操作

SharedPreferences.Editor editor = shared.edit(); // 获得编辑器的对象
editor.putString("name", "Mr Lee"); // 添加一个名叫name的字符串参数
editor.putInt("age", 30); // 添加一个名叫age的整型参数
editor.putBoolean("married", true); // 添加一个名叫married的布尔型参数
editor.putFloat("weight", 100f); // 添加一个名叫weight的浮点数参数
editor.commit(); // 提交编辑器中的修改

2.1.2 读操作

String name = shared.getString("name", ""); // 从共享参数中获得名叫name的字符串
int age = shared.getInt("age", 0); // 从共享参数中获得名叫age的整型数
boolean married = shared.getBoolean("married", false); // 从共享参数中获得名叫married的布尔数
float weight = shared.getFloat("weight", 0); // 从共享参数中获得名叫weight的浮点数

3. 数据库:SQLite

3.1 SQLite的基本用法

SQLiteDatabase是SQLite的数据库管理类,开发者可以在活动页面代码或任何能取到Context的地方获取

/ 创建名叫test.db的数据库。数据库如果不存在就创建它,如果存在就打开它SQLiteDatabase db = openOrCreateDatabase(mDatabaseName, Context.MODE_PRIVATE, null);
// 删除名叫test.db数据库
// deleteDatabase(getFilesDir()+"/test.db");

3.1.1 SQLiteDatabase相关API

SQLiteDatabase提供了若干操作数据表的API,常用的方法有3类

  1. 管理类,用于数据库层面的操作

    • openDatabase:打开指定路径的数据库
    • isOpen:判断数据库是否已打开
    • close:关闭数据库
    • getVersion:获取数据库的版本号
    • setVersion:设置数据库的版本号
  2. 事务类,用于事务层面的操作

    • beginTransaction:开始事务
    • setTransactionSuccessful:设置事务的成功标志。
    • endTransaction:结束事务。执行本方法时,系统会判断是否已执行setTransactionSuccessful,如果之前已设置就提交,如果没有设置就回滚
  3. 数据处理类,用于数据表层面的操作

    • execSQL:执行拼接好的SQL控制语句。一般用于建表、删表、变更表结构。
    • delete:删除符合条件的记录
    • update:更新符合条件的记录
    • insert:插入一条记录
    • query:执行查询操作,返回结果集的游标
    • rawQuery:执行拼接好的SQL查询语句,返回结果集的游标

3.2 数据库帮助器SQLiteOpenHelper

SQLiteDatabase存在局限性,例如必须小心、不能重复地打开数据库,处理数据库的升级很不方便。

Android提供了一个辅助工具: SQLiteOpenHelper,用于指导开发者进行SQLite的合理使用。

SQLiteOpenHelper的具体使用步骤

  • 新建一个继承自SQLiteOpenHelper的数据库操作类,重写onCreate和onUpgrade两个方法。

    • onCreate方法只在第一次打开数据库时执行,在此可进行表结构创建的操作;
    • onUpgrade方法在数据库版本升高时执行,因此可以在onUpgrade函数内部根据新旧版本号进行表结构变更处理。
  • 封装保证数据库安全的必要方法,包括:

    • 获取单例对象
    • 打开数据库连接
    • 关闭数据库连接
  • 提供对表记录进行增加、删除、修改、查询的操作方法

    • SQLite可直接使用的数据结构是ContentValues类,类似于映射Map,提供put和get方法用来存取键值对。

3.2.1 相关实例

  • UserDBHelper 类
package com.example.storage.database;import java.util.ArrayList;import com.example.storage.bean.UserInfo;import android.annotation.SuppressLint;
import android.content.ContentValues;
import android.content.Context;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import android.util.Log;@SuppressLint("DefaultLocale")
public class UserDBHelper extends SQLiteOpenHelper {private static final String TAG = "UserDBHelper";private static final String DB_NAME = "user.db"; // 数据库的名称private static final int DB_VERSION = 1; // 数据库的版本号private static UserDBHelper mHelper = null; // 数据库帮助器的实例private SQLiteDatabase mDB = null; // 数据库的实例public static final String TABLE_NAME = "user_info"; // 表的名称private UserDBHelper(Context context) {super(context, DB_NAME, null, DB_VERSION);}private UserDBHelper(Context context, int version) {super(context, DB_NAME, null, version);}// 利用单例模式获取数据库帮助器的唯一实例public static UserDBHelper getInstance(Context context, int version) {if (version > 0 && mHelper == null) {mHelper = new UserDBHelper(context, version);} else if (mHelper == null) {mHelper = new UserDBHelper(context);}return mHelper;}// 打开数据库的读连接public SQLiteDatabase openReadLink() {if (mDB == null || !mDB.isOpen()) {mDB = mHelper.getReadableDatabase();}return mDB;}// 打开数据库的写连接public SQLiteDatabase openWriteLink() {if (mDB == null || !mDB.isOpen()) {mDB = mHelper.getWritableDatabase();}return mDB;}// 关闭数据库连接public void closeLink() {if (mDB != null && mDB.isOpen()) {mDB.close();mDB = null;}}// 创建数据库,执行建表语句public void onCreate(SQLiteDatabase db) {Log.d(TAG, "onCreate");String drop_sql = "DROP TABLE IF EXISTS " + TABLE_NAME + ";";Log.d(TAG, "drop_sql:" + drop_sql);db.execSQL(drop_sql);String create_sql = "CREATE TABLE IF NOT EXISTS " + TABLE_NAME + " ("+ "_id INTEGER PRIMARY KEY  AUTOINCREMENT NOT NULL,"+ "name VARCHAR NOT NULL," + "age INTEGER NOT NULL,"+ "height LONG NOT NULL," + "weight FLOAT NOT NULL,"+ "married INTEGER NOT NULL," + "update_time VARCHAR NOT NULL"//演示数据库升级时要先把下面这行注释+ ",phone VARCHAR" + ",password VARCHAR"+ ");";Log.d(TAG, "create_sql:" + create_sql);db.execSQL(create_sql);}// 修改数据库,执行表结构变更语句public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {Log.d(TAG, "onUpgrade oldVersion=" + oldVersion + ", newVersion=" + newVersion);if (newVersion > 1) {//Android的ALTER命令不支持一次添加多列,只能分多次添加String alter_sql = "ALTER TABLE " + TABLE_NAME + " ADD COLUMN " + "phone VARCHAR;";Log.d(TAG, "alter_sql:" + alter_sql);db.execSQL(alter_sql);alter_sql = "ALTER TABLE " + TABLE_NAME + " ADD COLUMN " + "password VARCHAR;";Log.d(TAG, "alter_sql:" + alter_sql);db.execSQL(alter_sql);}}// 根据指定条件删除表记录public int delete(String condition) {// 执行删除记录动作,该语句返回删除记录的数目return mDB.delete(TABLE_NAME, condition, null);}// 删除该表的所有记录public int deleteAll() {// 执行删除记录动作,该语句返回删除记录的数目return mDB.delete(TABLE_NAME, "1=1", null);}// 往该表添加一条记录public long insert(UserInfo info) {ArrayList<UserInfo> infoArray = new ArrayList<UserInfo>();infoArray.add(info);return insert(infoArray);}// 往该表添加多条记录public long insert(ArrayList<UserInfo> infoArray) {long result = -1;for (int i = 0; i < infoArray.size(); i++) {UserInfo info = infoArray.get(i);ArrayList<UserInfo> tempArray = new ArrayList<UserInfo>();// 如果存在同名记录,则更新记录// 注意条件语句的等号后面要用单引号括起来if (info.name != null && info.name.length() > 0) {String condition = String.format("name='%s'", info.name);tempArray = query(condition);if (tempArray.size() > 0) {update(info, condition);result = tempArray.get(0).rowid;continue;}}// 如果存在同样的手机号码,则更新记录if (info.phone != null && info.phone.length() > 0) {String condition = String.format("phone='%s'", info.phone);tempArray = query(condition);if (tempArray.size() > 0) {update(info, condition);result = tempArray.get(0).rowid;continue;}}// 不存在唯一性重复的记录,则插入新记录ContentValues cv = new ContentValues();cv.put("name", info.name);cv.put("age", info.age);cv.put("height", info.height);cv.put("weight", info.weight);cv.put("married", info.married);cv.put("update_time", info.update_time);cv.put("phone", info.phone);cv.put("password", info.password);// 执行插入记录动作,该语句返回插入记录的行号result = mDB.insert(TABLE_NAME, "", cv);// 添加成功后返回行号,失败后返回-1if (result == -1) {return result;}}return result;}// 根据条件更新指定的表记录public int update(UserInfo info, String condition) {ContentValues cv = new ContentValues();cv.put("name", info.name);cv.put("age", info.age);cv.put("height", info.height);cv.put("weight", info.weight);cv.put("married", info.married);cv.put("update_time", info.update_time);cv.put("phone", info.phone);cv.put("password", info.password);// 执行更新记录动作,该语句返回记录更新的数目return mDB.update(TABLE_NAME, cv, condition, null);}public int update(UserInfo info) {// 执行更新记录动作,该语句返回记录更新的数目return update(info, "rowid=" + info.rowid);}// 根据指定条件查询记录,并返回结果数据队列public ArrayList<UserInfo> query(String condition) {String sql = String.format("select rowid,_id,name,age,height,weight,married,update_time," +"phone,password from %s where %s;", TABLE_NAME, condition);Log.d(TAG, "query sql: " + sql);ArrayList<UserInfo> infoArray = new ArrayList<UserInfo>();// 执行记录查询动作,该语句返回结果集的游标Cursor cursor = mDB.rawQuery(sql, null);// 循环取出游标指向的每条记录while (cursor.moveToNext()) {UserInfo info = new UserInfo();info.rowid = cursor.getLong(0); // 取出长整型数info.xuhao = cursor.getInt(1); // 取出整型数info.name = cursor.getString(2); // 取出字符串info.age = cursor.getInt(3);info.height = cursor.getLong(4);info.weight = cursor.getFloat(5); // 取出浮点数//SQLite没有布尔型,用0表示false,用1表示trueinfo.married = (cursor.getInt(6) == 0) ? false : true;info.update_time = cursor.getString(7);info.phone = cursor.getString(8);info.password = cursor.getString(9);infoArray.add(info);}cursor.close(); // 查询完毕,关闭游标return infoArray;}// 根据手机号码查询指定记录public UserInfo queryByPhone(String phone) {UserInfo info = null;ArrayList<UserInfo> infoArray = query(String.format("phone='%s'", phone));if (infoArray.size() > 0) {info = infoArray.get(0);}return info;}}
  • SQLite读操作:SQLiteReadActivity
package com.example.storage;import java.util.ArrayList;import com.example.storage.bean.UserInfo;
import com.example.storage.database.UserDBHelper;import android.annotation.SuppressLint;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.TextView;
import android.widget.Toast;@SuppressLint("DefaultLocale")
public class SQLiteReadActivity extends AppCompatActivity implements OnClickListener {private UserDBHelper mHelper; // 声明一个用户数据库帮助器的对象private TextView tv_sqlite;@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_sqlite_read);tv_sqlite = findViewById(R.id.tv_sqlite);findViewById(R.id.btn_delete).setOnClickListener(this);}// 读取数据库中保存的所有用户记录private void readSQLite() {if (mHelper == null) {showToast("数据库连接为空");return;}// 执行数据库帮助器的查询操作ArrayList<UserInfo> userArray = mHelper.query("1=1");String desc = String.format("数据库查询到%d条记录,详情如下:", userArray.size());for (int i = 0; i < userArray.size(); i++) {UserInfo info = userArray.get(i);desc = String.format("%s\n第%d条记录信息如下:", desc, i + 1);desc = String.format("%s\n 姓名为%s", desc, info.name);desc = String.format("%s\n 年龄为%d", desc, info.age);desc = String.format("%s\n 身高为%d", desc, info.height);desc = String.format("%s\n 体重为%f", desc, info.weight);desc = String.format("%s\n 婚否为%b", desc, info.married);desc = String.format("%s\n 更新时间为%s", desc, info.update_time);}if (userArray.size() <= 0) {desc = "数据库查询到的记录为空";}tv_sqlite.setText(desc);}@Overrideprotected void onStart() {super.onStart();// 获得数据库帮助器的实例mHelper = UserDBHelper.getInstance(this, 2);// 打开数据库帮助器的读连接mHelper.openReadLink();readSQLite();}@Overrideprotected void onStop() {super.onStop();// 关闭数据库连接mHelper.closeLink();}@Overridepublic void onClick(View v) {if (v.getId() == R.id.btn_delete) {// 关闭数据库连接mHelper.closeLink();// 打开数据库帮助器的写连接mHelper.openWriteLink();// 删除所有记录mHelper.deleteAll();// 关闭数据库连接mHelper.closeLink();// 打开数据库帮助器的读连接mHelper.openReadLink();readSQLite();}}private void showToast(String desc) {Toast.makeText(this, desc, Toast.LENGTH_SHORT).show();}}
  • SQLite写操作:SQLiteWriteActivity
package com.example.storage;import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.text.TextUtils;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.AdapterView;
import android.widget.ArrayAdapter;
import android.widget.EditText;
import android.widget.Spinner;
import android.widget.Toast;
import android.widget.AdapterView.OnItemSelectedListener;import com.example.storage.bean.UserInfo;
import com.example.storage.database.UserDBHelper;
import com.example.storage.util.DateUtil;public class SQLiteWriteActivity extends AppCompatActivity implements OnClickListener {private UserDBHelper mHelper; // 声明一个用户数据库帮助器的对象private EditText et_name;private EditText et_age;private EditText et_height;private EditText et_weight;private boolean bMarried = false;@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_sqlite_write);et_name = findViewById(R.id.et_name);et_age = findViewById(R.id.et_age);et_height = findViewById(R.id.et_height);et_weight = findViewById(R.id.et_weight);findViewById(R.id.btn_save).setOnClickListener(this);initTypeSpinner();}// 初始化婚姻状况的下拉框private void initTypeSpinner() {ArrayAdapter<String> typeAdapter = new ArrayAdapter<String>(this,R.layout.item_select, typeArray);typeAdapter.setDropDownViewResource(R.layout.item_dropdown);Spinner sp_married = findViewById(R.id.sp_married);sp_married.setPrompt("请选择婚姻状况");sp_married.setAdapter(typeAdapter);sp_married.setSelection(0);sp_married.setOnItemSelectedListener(new TypeSelectedListener());}private String[] typeArray = {"未婚", "已婚"};class TypeSelectedListener implements OnItemSelectedListener {public void onItemSelected(AdapterView<?> arg0, View arg1, int arg2, long arg3) {bMarried = (arg2 == 0) ? false : true;}public void onNothingSelected(AdapterView<?> arg0) {}}@Overrideprotected void onStart() {super.onStart();// 获得数据库帮助器的实例mHelper = UserDBHelper.getInstance(this, 2);// 打开数据库帮助器的写连接mHelper.openWriteLink();}@Overrideprotected void onStop() {super.onStop();// 关闭数据库连接mHelper.closeLink();}@Overridepublic void onClick(View v) {if (v.getId() == R.id.btn_save) {String name = et_name.getText().toString();String age = et_age.getText().toString();String height = et_height.getText().toString();String weight = et_weight.getText().toString();if (TextUtils.isEmpty(name)) {showToast("请先填写姓名");return;} else if (TextUtils.isEmpty(age)) {showToast("请先填写年龄");return;} else if (TextUtils.isEmpty(height)) {showToast("请先填写身高");return;} else if (TextUtils.isEmpty(weight)) {showToast("请先填写体重");return;}// 以下声明一个用户信息对象,并填写它的各字段值UserInfo info = new UserInfo();info.name = name;info.age = Integer.parseInt(age);info.height = Long.parseLong(height);info.weight = Float.parseFloat(weight);info.married = bMarried;info.update_time = DateUtil.getNowDateTime("yyyy-MM-dd HH:mm:ss");// 执行数据库帮助器的插入操作mHelper.insert(info);showToast("数据已写入SQLite数据库");}}private void showToast(String desc) {Toast.makeText(this, desc, Toast.LENGTH_SHORT).show();}}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/5464.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

写一个简单的程序

思路分析&#xff1a; 1. 导入必要的库 首先&#xff0c;确保你的项目中包含了AWT或Swing库&#xff0c;因为我们将使用它们来创建图形界面。 import javax.swing.*; import java.awt.*; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import j…

FineBI学习:K线图

效果图 底表结构&#xff1a;日期、股票代码、股票名称、开盘价、收盘价、最高价、最低价 步骤&#xff1a; 横轴&#xff1a;日期 纵轴&#xff1a;开盘价、最低价 选择【自定义图表】&#xff0c;或【瀑布图】 新建字段&#xff1a;价差&#xff08;收盘-开盘&#xf…

POETIZE个人博客系统源码 | 最美博客

源码介绍 POETIZE个人博客系统源码 | 最美博客 这是一个 SpringBoot Vue2 Vue3 的产物&#xff0c;支持移动端自适应&#xff0c;配有完备的前台和后台管理功能。 网站分两个模块&#xff1a; 博客系统&#xff1a;具有文章&#xff0c;表白墙&#xff0c;图片墙&#xf…

JS-在字符串形式的正则表达式中,需要对反斜杠进行转义

文章目录 前言一、转换前二、转换后三、相关知识四 regExp(正则表达式)字面量和构造函数 五&#xff0c;C#的 不用双斜杆总结 前言 在字符串形式的正则表达式中&#xff0c;需要对反斜杠进行转义&#xff01;&#xff01;&#xff01;&#xff0c;最近用AI帮我转换代码&#x…

CSS 伪类、伪元素的应用实例:电池充电、高能进度条

一、目的 本文通过 CSS 伪类、伪元素&#xff0c;结合动画 animation 和 Vue 动态样式属性&#xff08;通过 CSS 变量&#xff09;的写法&#xff0c;来实现电池充电、高能进度条的效果&#xff0c;如下图所示。 二、基础知识 1、CSS 伪类、伪元素 简单概括成以下 4 点&#x…

高德地图+HTML+点击事件+自定心信息窗体

代码如下 <!doctype html> <html><head><meta charset"utf-8"><meta http-equiv"X-UA-Compatible" content"IEedge"><meta name"viewport" content"initial-scale1.0, user-scalableno, width…

谷粒商城实战(020 RabbitMQ-消息确认)

Java项目《谷粒商城》架构师级Java项目实战&#xff0c;对标阿里P6-P7&#xff0c;全网最强 总时长 104:45:00 共408P 此文章包含第258p-第p261的内容 消息确认 生产者 publishers 消费者 consumers 设置配置类 调用api 控制台 抵达brocker 代理 新版本ReturnCallbac…

bash逻辑取反技巧(bool_not函数)

bash函数不支持像其他高级语言一样的高级的返回变量&#xff0c;bash只能返回数值。 bash有bool变量&#xff0c;但是bool操作符号只能存在于[ ... ]、[[ ... ]]等特定语法结构中 举个例子 bash中&#xff0c;想要对bool变量y取反并赋值给变量x &#xff0c;这样写x!$y是不合…

OpenCV 填洼处理

文章目录 一、简介二、实现代码三、实现效果参考资料一、简介 这里使用一种从外边缘往内部收缩的算法来实现对图像进行填洼处理,当然,在这个过程中,我们需要通过根据指定的最小坡度来对低洼区域进行高程修正处理。(OpenCV版本) 二、实现代码 ImageSmoothing.h #pragma onc…

DevEco Studio mac版启动不了【鸿蒙开发Bug已解决】

文章目录 项目场景:问题描述原因分析:解决方案:此Bug解决方案总结Bug解决方案寄语项目场景: 最近也是遇到了这个问题,看到网上也有人在询问这个问题,本文总结了自己和其他人的解决经验,解决了【DevEco Studio mac版启动不了】的问题。 问题描述 报错如下。 -------…

如何判断第三方软件测试公司是否具有资质

在软件开发的过程中&#xff0c;软件测试是确保软件质量、稳定性和用户体验的关键环节。许多企业选择将软件测试工作交给专业的第三方软件测试公司来完成&#xff0c;以确保测试的准确性和公正性。但是&#xff0c;如何判断一个第三方软件测试公司是否具有资质呢&#xff1f;以…

Python urllib 爬虫入门(2)

本文为Python urllib类库爬虫更入门的一些操作和爬虫实例及源码。 目录 模拟浏览器请求 简单模拟 设置随机user-agent 请求超时 HTTP请求类型 Get请求 Post请求 抓取网页动态请求 封装ajax请求 调用 循环调用 抓取小说 封装请求函数 把html写入本地分析 调用 正…

2024年Docker常用操作快速查询手册

目录 一、Linux系统上 Docker安装流程&#xff08;以ubuntu为例&#xff09; 一、卸载所有冲突的软件包 二、设置Docker的apt存储库&#xff08;这里使用的是阿里云软件源&#xff09; 三、直接安装最新版本的Docker 三、安装指定版本的Docker 四、验证Docker是否安装成功…

Linux 手动部署JDK21 环境

1、下载包&#xff08;我下载的是tar) https://www.oracle.com/cn/java/technologies/downloads/#java21 完成后进行上传 2、检查已有JDK&#xff0c;并删除&#xff08;我原有是jdk8&#xff09; rpm -qa | grep -i java | xargs -n1 rpm -e --nodeps3、清理掉 profile中的j…

构建安全通信桥梁:PKI与数字证书

目录 前言 1. 密钥管理 2. 数字证书 3. PKI 4. 证书透明性 5. 实际案例 结论 前言 在数字化时代&#xff0c;信息和数据的传输变得日益频繁和普遍。无论是个人用户还是企业组织&#xff0c;都面临着保护通信和数据安全的重要挑战。而在这个保护的过程中&#xff0c;PKI&…

Mybatis-Plus扩展接口InnerInterceptor

InnerInterceptor 接口就是 MyBatis-Plus 提供的一个拦截器接口&#xff0c;用于实现一些常用的 SQL 处理逻辑&#xff0c;处理 MyBatis-Plus 的特定功能,例如PaginationInnerInterceptor、OptimisticLockerInnerInterceptor 等,都实现了 InnerInterceptor 接口&#xff0c;并添…

LINUX基础培训三十一之实操题模拟测试试卷

一、前言 针对前面章节介绍的基础知识内容,为方便实操锻炼和了解学习的掌握程度,模拟设置了这条基础操作题,在实战过程中曾给部分童鞋实操测试过。本章只给出具体题目内容,实际做题还需要搭建部署对应实操模拟环境以及设置自动评分功能,此处略过没写了,因为环境和评分都跟…

Vue项目打包APK----Vue发布App

时隔多年我又来跟新了&#xff0c;今天给大普家及下前端Vue傻瓜式发布App&#xff0c;话不多说直接上干货。 首先准备开发工具HBuilder X&#xff0c;去官网直接下载即可&#xff0c;算了直接给你们上地址吧HBuilderX-高效极客技巧。 打开软件&#xff0c;文件-->新建--&g…

【XR806开发板试用】基于XR806实现智能小车

一、实验功能&#xff1a; 1、 基于XR806实现WIFI连接路由器 2、 XR806设备创建TCP socket服务器&#xff0c;局域网内通过PC端TCP客服端连接XR806 TCP服务器进行指令控制小车运行&#xff08;指令&#xff21;&#xff1a;前进、&#xff22;&#xff1a;后退、&#xff23;&…

实验15 MVC

二、实验项目内容&#xff08;实验题目&#xff09; 编写代码&#xff0c;掌握MVC的用法。 三、源代码以及执行结果截图&#xff1a; inputMenu.jsp&#xff1a; <% page contentType"text/html" %> <% page pageEncoding "utf-8" %> &…