1.创建Content Providers
package com.Aina.Android;
import android.net.Uri;
import android.provider.BaseColumns;
/**
* com.Aina.Android Pro_ContentProviders
*
* @author Aina.huang E-mail: 674023920@qq.com
* @version 创建时间:2010 Jul 1, 2010 11:26:31 AM 类说明
*/
public class NotePad {
// Content Providers的URI
public static final String AUTHORITY = "com.google.android.provider.notepad";
private NotePad() {
}
/**
* 定义基本字段
*
* @author Aina_hk
*
*/
public static final class Notes implements BaseColumns {
private Notes() {
}
public static final Uri CONTENT_URI = Uri.parse("content://" + AUTHORITY
+ "/notes");
// 新的MIME类型-多个
public static final String CONTENT_TYPE = "vnd.android.cursor.dir/vnd.google.note";
// 新的MIME类型-单个
public static final String CONTENT_ITEM_TYPE = "vnd.android.cursor.item/vnd.google.note";
// 默认排序
public static final String DEFAULT_SORT_ORDER = "modified ASC";
// 字段
public static final String TITLE = "title";
public static final String NOTE = "note";
public static final String CREATEDDATE = "created";
public static final String MODIFIEDDATE = "modified";
}
}
package com.Aina.Android;
import java.util.HashMap;
import com.Aina.Android.NotePad.Notes;
import android.content.ContentProvider;
import android.content.ContentUris;
import android.content.ContentValues;
import android.content.Context;
import android.content.UriMatcher;
import android.content.res.Resources;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import android.database.sqlite.SQLiteQueryBuilder;
import android.database.sqlite.SQLiteDatabase.CursorFactory;
import android.net.Uri;
import android.text.TextUtils;
/**
* com.Aina.Android Pro_ContentProviders
*
* @author Aina.huang E-mail: 674023920@qq.com
* @version 创建时间:2010 Jul 1, 2010 11:55:55 AM 类说明
*/
public class NotePadProvider extends ContentProvider {
public static final String DATABASE_NAME = "test.db";
public static final String TABLE_NAME = "notes";
public static final int VERSION = 1;
public static final int NOTES = 1;
public static final int NOTE_ID = 2;
public static HashMap<String, String> hm = null;
public static UriMatcher mUriMatcher = null;
public static final String CREATE_TABLE = "CREATE TABLE " + TABLE_NAME
+ " (" + Notes._ID + " INTEGER PRIMARY KEY," + Notes.TITLE
+ " TEXT," + Notes.NOTE + " TEXT," + Notes.CREATEDDATE
+ " INTEGER," + Notes.MODIFIEDDATE + " INTEGER)";
private SQLiteDataHelper msdh = null;
static {
mUriMatcher = new UriMatcher(UriMatcher.NO_MATCH);
mUriMatcher.addURI(NotePad.AUTHORITY, "notes", NOTES);
mUriMatcher.addURI(NotePad.AUTHORITY, "notes/#", NOTE_ID);
hm = new HashMap<String, String>();
hm.put(Notes._ID, Notes._ID);
hm.put(Notes.TITLE, Notes.TITLE);
hm.put(Notes.NOTE, Notes.NOTE);
hm.put(Notes.CREATEDDATE, Notes.CREATEDDATE);
hm.put(Notes.MODIFIEDDATE, Notes.MODIFIEDDATE);
}
private static class SQLiteDataHelper extends SQLiteOpenHelper {
public SQLiteDataHelper(Context context, String name,
CursorFactory factory, int version) {
super(context, name, factory, version);
}
@Override
public void onCreate(SQLiteDatabase db) {
db.execSQL(CREATE_TABLE);
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
db.execSQL("DROP TABLE IF EXISTS " + TABLE_NAME);
this.onCreate(db);
}
}
/**
* 删除
*/
@Override
public int delete(Uri uri, String selection, String[] selectionArgs) {
SQLiteDatabase db = msdh.getWritableDatabase();
int num = 0;
switch (mUriMatcher.match(uri)) {
case NOTES:
num = db.delete(TABLE_NAME, selection, selectionArgs);
break;
case NOTE_ID:
num = db.delete(TABLE_NAME, Notes._ID
+ " = "
+ uri.getPathSegments().get(1)
+ (!TextUtils.isEmpty(selection) ? " AND (" + selection
+ ')' : ""), selectionArgs);
break;
default:
break;
}
this.getContext().getContentResolver().notifyChange(uri, null);
return num;
}
@Override
public String getType(Uri uri) {
String str = "";
switch (mUriMatcher.match(uri)) {
case NOTES:
str = Notes.CONTENT_TYPE;
break;
case NOTE_ID:
str = Notes.CONTENT_ITEM_TYPE;
break;
default:
throw new IllegalArgumentException("Unknown URI " + uri);
}
return str;
}
/**
* 插入
*/
@Override
public Uri insert(Uri uri, ContentValues values) {
if (mUriMatcher.match(uri) != NOTES) {
throw new IllegalArgumentException("Unknown URI " + uri);
}
ContentValues cv = null;
if (values == null) {
cv = new ContentValues();
} else {
cv = new ContentValues(values);
}
long num = System.currentTimeMillis();
if (cv.containsKey(Notes.CREATEDDATE) == false) {
cv.put(Notes.CREATEDDATE, num);
}
if (cv.containsKey(Notes.MODIFIEDDATE) == false) {
cv.put(Notes.MODIFIEDDATE, num);
}
if (cv.containsKey(Notes.TITLE) == false) {
Resources r = Resources.getSystem();
cv.put(Notes.TITLE, r.getString(android.R.string.untitled));
}
if (cv.containsKey(Notes.NOTE) == false) {
cv.put(Notes.NOTE, "");
}
SQLiteDatabase db = msdh.getWritableDatabase();
long id = db.insertOrThrow(TABLE_NAME, Notes.NOTE, cv);
if (id > 0) {
Uri uri_new = ContentUris.withAppendedId(uri, id);
this.getContext().getContentResolver().notifyChange(uri_new, null);
return uri_new;
}
return null;
}
@Override
public boolean onCreate() {
msdh = new SQLiteDataHelper(this.getContext(), TABLE_NAME, null,
VERSION);
return true;
}
/**
* 查询
*/
@Override
public Cursor query(Uri uri, String[] projection, String selection,
String[] selectionArgs, String sortOrder) {
SQLiteQueryBuilder qb = new SQLiteQueryBuilder();
switch (mUriMatcher.match(uri)) {
case NOTES:
qb.setTables(TABLE_NAME);
qb.setProjectionMap(hm);
break;
case NOTE_ID:
qb.setTables(TABLE_NAME);
qb.setProjectionMap(hm);
qb.appendWhere(Notes._ID + " = " + uri.getPathSegments().get(1));
break;
default:
throw new IllegalArgumentException("Unknown URI " + uri);
}
String orderBy = "";
if (TextUtils.isEmpty(sortOrder)) {
orderBy = Notes.DEFAULT_SORT_ORDER;
} else {
orderBy = sortOrder;
}
SQLiteDatabase db = msdh.getReadableDatabase();
Cursor cursor = qb.query(db, projection, selection, selectionArgs,
null, null, orderBy);
cursor.setNotificationUri(this.getContext().getContentResolver(), uri);
return cursor;
}
/**
* 更新
*/
@Override
public int update(Uri uri, ContentValues values, String selection,
String[] selectionArgs) {
SQLiteDatabase db = msdh.getWritableDatabase();
int num = 0;
switch (mUriMatcher.match(uri)) {
case NOTES:
num = db.update(TABLE_NAME, values, selection, selectionArgs);
break;
case NOTE_ID:
num = db.update(TABLE_NAME, values, Notes._ID
+ " = "
+ uri.getPathSegments().get(1)
+ (!TextUtils.isEmpty(selection) ? " and (" + selection
+ ")" : ""), selectionArgs);
default:
break;
}
this.getContext().getContentResolver().notifyChange(uri, null);
return num;
}
}
package com.Aina.Android;
import com.Aina.Android.NotePad.Notes;
import android.app.Activity;
import android.content.ContentValues;
import android.database.Cursor;
import android.os.Bundle;
import android.widget.ListAdapter;
import android.widget.ListView;
import android.widget.SimpleCursorAdapter;
import android.widget.Toast;
public class Test extends Activity {
/** Called when the activity is first created. */
ListView lv = null;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
lv = (ListView) this.findViewById(R.id.ListView01);
ContentValues cv = new ContentValues();
cv.put(Notes.TITLE, "title1");
cv.put(Notes.NOTE, "note1");
this.getContentResolver().insert(Notes.CONTENT_URI, cv);
cv.clear();
cv.put(Notes.TITLE, "title2");
cv.put(Notes.NOTE, "note2");
this.getContentResolver().insert(Notes.CONTENT_URI, cv);
this.displayNote();
}
private void displayNote() {
String[] columns = new String[] { Notes._ID, Notes.TITLE, Notes.NOTE,
Notes.CREATEDDATE, Notes.MODIFIEDDATE };
Cursor c = this.managedQuery(Notes.CONTENT_URI, columns, null, null,
null);
this.startManagingCursor(c);
if (c != null) {
int cs = 0;
if(c.isBeforeFirst()){
cs++;
this.setTitle("isBeforeFirst"+cs);
}
if(c.moveToFirst()){
cs++;
this.setTitle("moveToFirst"+cs);
}
if(c.isFirst()){
cs++;
this.setTitle("isFirst"+cs);
}
ListAdapter adapter = new SimpleCursorAdapter(this,
android.R.layout.simple_list_item_2, c, new String[] {
Notes._ID, Notes.TITLE }, new int[] {
android.R.id.text1, android.R.id.text2 });
lv.setAdapter(adapter);
/*
* if (c.moveToFirst()) { this.setTitle(c.getCount()+""); String id =
* ""; String title = ""; do { id =
* c.getString(c.getColumnIndex(Notes._ID)); title =
* c.getString(c.getColumnIndex(Notes.TITLE)); Toast toast =
* Toast.makeText(this, c.getPosition()+"|ID:" + id + "|title:" +
* title, Toast.LENGTH_LONG); toast.show(); } while
* (c.moveToNext());
* }
*/
}
}
}
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.Aina.Android" android:versionCode="1"
android:versionName="1.0">
<application android:icon="@drawable/icon"
android:label="@string/app_name">
<provider android:name=".NotePadProvider"
android:readPermission="android.permission.READ_CALENDAR"
android:writePermission="android.permission.WRITE_CALENDAR"
android:authorities="com.google.android.provider.notepad" />
<activity android:name=".Test"
android:label="@string/app_name">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category
android:name="android.intent.category.LAUNCHER" />
</intent-filter>
<intent-filter>
<data
android:mimeType="vnd.android.cursor.dir/vnd.google.note">
</data>
</intent-filter>
<intent-filter>
<data
android:mimeType="vnd.android.cursor.item/vnd.google.note">
</data>
</intent-filter>
</activity>
</application>
</manifest>
2.通过ContentResolver来操作数据
package com.gn.provide;
import android.app.Activity;
import android.content.ContentValues;
import android.database.Cursor;
import android.net.Uri;
import android.os.Bundle;
import android.widget.ListAdapter;
import android.widget.ListView;
import android.widget.SimpleCursorAdapter;
public class Tess extends Activity {
/** Called when the activity is first created. */
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
String uri = "content://com.google.android.provider.notepad/xixi";
String[] columns = new String[] { "_id", "title", "note" };
try {
/*添加数据
ContentValues cv = new ContentValues();
cv.put("title", "new title");
cv.put("note", "new note");
this.getContentResolver().insert(Uri.parse(uri), cv);
*/
/*删除数据
int num = this.getContentResolver().delete(Uri.parse(uri), "title='new title'", null);
*/
/*修改
ContentValues cv = new ContentValues();
cv.put("title", "old title");
cv.put("note", "old note");
long num = this.getContentResolver().update(Uri.parse(uri), cv, "_id=3", null);
this.setTitle("num="+num);
*/
Cursor c = this
.managedQuery(Uri.parse(uri), null, null, null, null);
// Cursor c = this.getContentResolver().query(Uri.parse(uri),
// columns,
// null, null, null);
if (c == null) {
this.setTitle("c=null");
} else {
this.startManagingCursor(c);
ListView lv = (ListView) this.findViewById(R.id.ListView01);
ListAdapter adapter = new SimpleCursorAdapter(this,
R.layout.simple, c, columns, new int[] { R.id.ID,
R.id.title, R.id.note });
lv.setAdapter(adapter);
}
} catch (Exception ex) {
ex.printStackTrace();
}
}
}
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.gn.provide"
android:versionCode="1"
android:versionName="1.0">
<uses-permission android:name="android.permission.READ_CALENDAR"></uses-permission>
<uses-permission android:name="android.permission.WRITE_CALENDAR"></uses-permission>
<application android:icon="@drawable/icon" android:label="@string/app_name">
<activity android:name=".Tess"
android:label="@string/app_name">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
分享到:
相关推荐
本文详细介绍了PHP的基本语法、变量类型、运算符号以及文件上传和发邮件功能的实现方法,适合初学者了解和掌握PHP的基础知识。
公司金融整理的word文档
Prometheus Python客户端Prometheus的官方 Python 客户端。安装pip install prometheus-client这个包可以在PyPI上找到。文档文档可在https://prometheus.github.io/client_python上找到。链接发布发布页面显示项目的历史记录并充当变更日志。吡啶甲酸
DFC力控系统维护及使用
1、资源项目源码均已通过严格测试验证,保证能够正常运行; 2、项目问题、技术讨论,可以给博主私信或留言,博主看到后会第一时间与您进行沟通; 3、本项目比较适合计算机领域相关的毕业设计课题、课程作业等使用,尤其对于人工智能、计算机科学与技术等相关专业,更为适合; 4、下载使用后,可先查看README.md文件(如有),本项目仅用作交流学习参考,请切勿用于商业用途。
2019-2023GESP,CSP,NOIP真题.zip
博文链接 https://blog.csdn.net/weixin_47560078/article/details/127712877?spm=1001.2014.3001.5502
包含: 1、jasminum茉莉花 2、zotero-style 3、greenfrog 4、zotero-reference 5、translate-for-zotero 用法参考:https://zhuanlan.zhihu.com/p/674602898
1.版本:matlab2014/2019a/2024a 2.附赠案例数据可直接运行matlab程序。 3.代码特点:参数化编程、参数可方便更改、代码编程思路清晰、注释明细。 4.适用对象:计算机,电子信息工程、数学等专业的大学生课程设计、期末大作业和毕业设计。 替换数据可以直接使用,注释清楚,适合新手
1、资源项目源码均已通过严格测试验证,保证能够正常运行; 2、项目问题、技术讨论,可以给博主私信或留言,博主看到后会第一时间与您进行沟通; 3、本项目比较适合计算机领域相关的毕业设计课题、课程作业等使用,尤其对于人工智能、计算机科学与技术等相关专业,更为适合; 4、下载使用后,可先查看README.md文件(如有),本项目仅用作交流学习参考,请切勿用于商业用途。
python技巧学习.zip
2023 年“泰迪杯”数据分析技能赛 A 题 档案数字化加工流程数据分析 完整代码
echarts 折线图数据源文件
Visual Studio Code 的 Python 扩展Visual Studio Code 扩展对Python 语言提供了丰富的支持(针对所有积极支持的 Python 版本),为扩展提供了访问点,以无缝集成并提供对 IntelliSense(Pylance)、调试(Python 调试器)、格式化、linting、代码导航、重构、变量资源管理器、测试资源管理器等的支持!支持vscode.devPython 扩展在vscode.dev (包括github.dev )上运行时确实提供了一些支持。这包括编辑器中打开文件的部分 IntelliSense。已安装的扩展Python 扩展将默认自动安装以下扩展,以在 VS Code 中提供最佳的 Python 开发体验Pylance - 提供高性能 Python 语言支持Python 调试器- 使用 debugpy 提供无缝调试体验这些扩展是可选依赖项,这意味着如果无法安装,Python 扩展仍将保持完全功能。可以禁用或卸载这些扩展中的任何一个或全部,但会牺牲一些功能。通过市场安装的扩展受市场使用条款的约束。可
Centos6.x通过RPM包升级OpenSSH9.7最新版 升级有风险,前务必做好快照,以免升级后出现异常影响业务
5 总体设计.pptx
Python 版 RPAv1.50 • 使用案例• API 参考 • 关于 和制作人员 • 试用云 • PyCon 视频 • Telegram 聊天 • 中文 • हिन्दी • 西班牙语 • 法语 • বাংলা • Русский • 葡萄牙语 • 印尼语 • 德语 • 更多..要为 RPA(机器人流程自动化)安装此 Python 包 -pip install rpa要在 Jupyter 笔记本、Python 脚本或交互式 shell 中使用它 -import rpa as r有关操作系统和可选可视化自动化模式的说明 -️ Windows -如果视觉自动化有故障,请尝试将显示缩放级别设置为推荐的 % 或 100% macOS -由于安全性更加严格,请手动安装 PHP并查看PhantomJS和Java 弹出窗口的解决方案 Linux -视觉自动化模式需要在 Linux 上进行特殊设置,请参阅如何安装 OpenCV 和 Tesseract Raspberry Pi - 使用此设置指南在 Raspberry Pies(低成本自
原生js识别手机端或电脑端访问代码.zip
浏览器
内容概要:本文介绍了基于Spring Boot和Vue开发的旅游可视化系统的设计与实现。该系统集成了用户管理、景点信息、路线规划、酒店预订等功能,通过智能算法根据用户偏好推荐景点和路线,提供旅游攻略和管理员后台,支持B/S架构,使用Java语言和MySQL数据库,提高了系统的扩展性和维护性。 适合人群:具有一定编程基础的技术人员,特别是熟悉Spring Boot和Vue框架的研发人员。 使用场景及目标:适用于旅游行业,为企业提供一个高效的旅游推荐平台,帮助用户快速找到合适的旅游信息和推荐路线,提升用户旅游体验。系统的智能化设计能够满足用户多样化的需求,提高旅游企业的客户满意度和市场竞争力。 其他说明:系统采用现代化的前后端分离架构,具备良好的可扩展性和维护性,适合在旅游行业中推广应用。开发过程中需要注意系统的安全性、稳定性和用户体验。