【Android 记事本,笔记本,可注册登录,增删改查(附源码)】

这篇具有很好参考价值的文章主要介绍了【Android 记事本,笔记本,可注册登录,增删改查(附源码)】。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

简介

用Sqlite做数据库,用来存储账号以及笔记信息,实现了账号的注册以及登录功能,笔记方面实现了新增、删除、修改、搜索功能,列表展示笔记使用的是listView(懒得弄分割线,就使用listView的默认分割线了);

运行效果

android记事本源码,安卓源码,android
android记事本源码,安卓源码,android
android记事本源码,安卓源码,android
android记事本源码,安卓源码,androidandroid记事本源码,安卓源码,android
android记事本源码,安卓源码,android

代码讲解

我代码里使用了两个依赖,一个是工具类,一个是标题栏,工具类是使用里面的SPUtils保存当前登录的账号信息,不用再次输入账号密码,可按需引入

	//标题栏
    implementation 'com.github.FlyJingFish:TitleBar:1.2.5'
    //工具类
    implementation 'com.blankj:utilcodex:1.31.1'

首先是数据库的实现部分,新建一个DBOpenHelper 类,继承SQLiteOpenHelper

public class DBOpenHelper extends SQLiteOpenHelper {
     private DBOpenHelper dbOpenHelper;
     private SQLiteDatabase db;
     private static final String DBNAME="notes.db";
     private static final int VERSION=1;
     public DBOpenHelper(Context context) {
         super(context, DBNAME, null, VERSION);
        dbOpenHelper=this;
        db=dbOpenHelper.getWritableDatabase();
     }
    //创建数据库
     @Override
     public void onCreate(SQLiteDatabase db) {
    //创建数据表
     db.execSQL("create table if not exists user(id INTEGER primary key autoincrement,username varchar(25),password varchar(20))");
     db.execSQL("create table if not exists notes(id INTEGER primary key autoincrement,title varchar(20),content varchar(255),time varchar(20)," +
             "username varchar(20))");
     }
    //升级数据库
     @Override
     public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) 
    {
 
     }

    //插入用户数据
    public boolean insertUserData(String username,String password){
        ContentValues contentValues=new ContentValues();
        contentValues.put("username",username);
        contentValues.put("password",password);
        return db.insert("user",null,contentValues)>0;
    }

    public boolean insertNotes(String title,String content,String time,String username){
        ContentValues contentValues=new ContentValues();
        contentValues.put("title",title);
        contentValues.put("content",content);
        contentValues.put("time",time);
        contentValues.put("username",username);
        return db.insert("notes",null,contentValues)>0;
    }

    public boolean updateNotes(String id,String title,String content,String time){
        ContentValues contentValues=new ContentValues();
        contentValues.put("title",title);
        contentValues.put("content",content);
        contentValues.put("time",time);
        String sql="id=?";
        String[] strings=new String[]{id};
        return db.update("notes",contentValues,sql,strings)>0;
    }

    public boolean deleteNotes(String id){
        String sql="id=?";
        String[] contentValuesArray=new String[]{id};
        return db.delete("notes",sql,contentValuesArray)>0;
    }

    //获取笔记
    public List<Notes> getNotes(String query){
        List<Notes> list=new ArrayList<>();
        Cursor cursor;
        if (query==null){
            cursor=db.rawQuery("select * from notes where username =?",new String[]{SPUtils.getInstance().getString("username")});
        }
        else {
            cursor=db.rawQuery("select * from notes where username =? and title like ?",new String[]{SPUtils.getInstance().getString("username"),"%"+query+"%"});
        }
        if (cursor!=null){
            while (cursor.moveToNext()){
                @SuppressLint("Range") int id=cursor.getInt(cursor.getColumnIndex("id"));
                @SuppressLint("Range") String title=cursor.getString(cursor.getColumnIndex("title"));
                @SuppressLint("Range") String content=cursor.getString(cursor.getColumnIndex("content"));
                @SuppressLint("Range") String time=cursor.getString(cursor.getColumnIndex("time"));
                @SuppressLint("Range") String user=cursor.getString(cursor.getColumnIndex("username"));
                Notes note=new Notes(id,title,content,time,user);
                list.add(note);
            }
            cursor.close();
        }
        return list;
    }
}

然后是基类Activity,这个是为了方便统一管理标题栏和数据库

创建一个BaseActivity,继承AppCompatActivity

public class BaseActivity extends AppCompatActivity {
    protected TitleBar titleBar;
    protected DBOpenHelper dbOpenHelper;
    protected SQLiteDatabase db;
    @Override
    protected void onCreate(@Nullable Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        initTitle();
        dbOpenHelper=new DBOpenHelper(this);
        db=dbOpenHelper.getWritableDatabase();
    }
    public void initTitle(){
        titleBar = new TitleBar(this);
        titleBar.setShadow(1, Color.parseColor("#40454545"), TitleBar.ShadowType.GRADIENT);
        titleBar.setTitleGravity(TitleBar.TitleGravity.CENTER);
        titleBar.setOnBackViewClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                finish();
            }
        });
        titleBar.setAboveContent(true);
        titleBar.attachToWindow();
    }

    @Override
    protected void onDestroy() {
        super.onDestroy();
        db.close();
        dbOpenHelper.close();
    }
}

然后就是笔记实体类

public class Notes implements Serializable {
    private int id;
    private String title;
    private String content;
    private String time;
    private String username;

    public int getId() {
        return id;
    }

    public void setId(int id) {
        this.id = id;
    }

    public String getTitle() {
        return title;
    }

    public void setTitle(String title) {
        this.title = title;
    }

    public String getContent() {
        return content;
    }

    public void setContent(String content) {
        this.content = content;
    }

    public String getTime() {
        return time;
    }

    public void setTime(String time) {
        this.time = time;
    }

    public String getUsername() {
        return username;
    }

    public void setUsername(String username) {
        this.username = username;
    }

    public Notes() {
    }

    public Notes(int id, String title, String content, String time,String user) {
        this.id = id;
        this.title = title;
        this.content = content;
        this.time = time;
    }

    @Override
    public String toString() {
        return "Notes{" +
                "id=" + id +
                ", title='" + title + '\'' +
                ", content='" + content + '\'' +
                ", time='" + time + '\'' +
                ", username='" + username + '\'' +
                '}';
    }
}

登录注册页面

登录页面

public class Login extends BaseActivity {
    private EditText username,password;
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_login);

        titleBar.setTitle("登录");
        titleBar.setDisplayLeftView(false);

        username=findViewById(R.id.et_user_name);
        password=findViewById(R.id.et_psw);

        String name=SPUtils.getInstance().getString("username");
        String pw=SPUtils.getInstance().getString("password");
        if (!TextUtils.isEmpty(name)&&!TextUtils.isEmpty(pw)){
            username.setText(name);
            password.setText(pw);
        }
        //点击登录
        findViewById(R.id.btn_login).setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                login();
            }
        });

        //去注册
        findViewById(R.id.btn_register).setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                Intent intent=new Intent(Login.this, Register.class);
                intent.putExtra("flag","login");
                startActivity(intent);
            }
        });
    }
    public void login(){
        String name =username.getText().toString();
        String pw   =password.getText().toString();

        if (name.equals("")||pw.equals("")){
            Toast.makeText(Login.this,"请输入账号密码!",Toast.LENGTH_SHORT).show();
        }
        else {
            //查询用户
            @SuppressLint("Recycle") Cursor cursor=db.rawQuery("select * from user where username=?",new String[]{name});
            cursor.moveToFirst();
            if (cursor.getCount()==0){
                Toast.makeText(Login.this,"不存在该用户!",Toast.LENGTH_SHORT).show();
            }
            else{
                @SuppressLint("Range") String password=cursor.getString(cursor.getColumnIndex("password"));
                if (pw.equals(password)){
                    Toast.makeText(Login.this,"登录成功!",Toast.LENGTH_SHORT).show();
                    Intent intent=new Intent(Login.this, MainActivity.class);
                    startActivity(intent);
                    finish();
                    //保存用户名到SharedPreferences
                    SPUtils.getInstance().put("username",name);
                    SPUtils.getInstance().put("password",pw);
                }else {
                    Toast.makeText(Login.this,"密码错误!",Toast.LENGTH_SHORT).show();
                }
            }
        }
    }
}

登录页面xml文件

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:orientation="vertical"
    android:gravity="center"
    tools:context=".ui.Login">

    <EditText
        android:id="@+id/et_user_name"
        android:layout_width="match_parent"
        android:layout_height="50dp"
        android:background="@drawable/edittext_style"
        android:gravity="center_vertical"
        android:hint="请输入用户名"
        android:paddingLeft="15dp"
        android:layout_marginHorizontal="20dp"
        android:singleLine="true"
        android:textColor="@color/black"
        android:textSize="14sp" />
    <!--输入框-->
    <EditText
        android:id="@+id/et_psw"
        android:layout_width="match_parent"
        android:layout_height="50dp"
        android:background="@drawable/edittext_style"
        android:gravity="center_vertical"
        android:hint="请输入密码"
        android:paddingLeft="15dp"
        android:layout_marginHorizontal="20dp"
        android:layout_marginTop="10dp"
        android:inputType="textPassword"
        android:singleLine="true"
        android:textColor="@color/black"
        android:textSize="14sp" />

    <LinearLayout
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:gravity="center_horizontal"
        android:layout_marginTop="20dp"
        android:orientation="horizontal">

        <Button
            android:id="@+id/btn_login"
            android:layout_width="150dp"
            android:layout_height="50dp"
            android:layout_gravity="center_horizontal"
            android:layout_marginLeft="35dp"
            android:layout_marginRight="35dp"
            android:background="@drawable/button_style"
            android:text="登 录"
            android:textColor="@android:color/white"
            android:textSize="18sp" />
        <Button
            android:id="@+id/btn_register"
            android:layout_width="150dp"
            android:layout_height="50dp"
            android:layout_gravity="center_horizontal"
            android:layout_marginLeft="15dp"
            android:layout_marginRight="35dp"
            android:background="@drawable/button_style"
            android:text="注册"
            android:textColor="@android:color/white"
            android:textSize="18sp" />
    </LinearLayout>
</LinearLayout>

注册页面

public class Register extends BaseActivity {
    private EditText username,password,pw_again;
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_register);

        titleBar.setTitle("欢迎注册");

        username=findViewById(R.id.et_user_name);
        password=findViewById(R.id.et_psw);
        pw_again=findViewById(R.id.et_psw_again);

        //注册
        findViewById(R.id.btn_register).setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                register();
            }
        });
    }

    public void register(){
        String name =username.getText().toString();
        String pw   =password.getText().toString();
        String pwa =pw_again.getText().toString();

        if (name.equals("")||pw.equals("")||pwa.equals("")){
            Toast.makeText(Register.this,"请输入完整!",Toast.LENGTH_SHORT).show();
        }
        else {
            //查询用户
            Cursor cursor = db.rawQuery("select * from user where username=?", new String[]{name});
            cursor.moveToFirst();
            if (cursor.getCount() == 0) {
                if (!pw.equals(pwa)) {
                    Toast.makeText(Register.this, "两次密码不相同!", Toast.LENGTH_SHORT).show();
                } else {
                    if (dbOpenHelper.insertUserData(name, pw)){
                        Toast.makeText(Register.this, "注册成功!", Toast.LENGTH_SHORT).show();
                        finish();
                    }
                }
            } else {
                Toast.makeText(Register.this, "该用户已存在!", Toast.LENGTH_SHORT).show();
            }
        }
    }
}

首页

首页

public class MainActivity extends BaseActivity {
    private List<Notes> noteList=new ArrayList<>();
    private ListView listView;
    private NoteAdapter noteAdapter;
    private SearchView searchView;
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        titleBar.setTitle("我的记事本");
        titleBar.getRightTextView().setText("新增");
        titleBar.setOnRightViewClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                startActivity(new Intent(MainActivity.this, AddNote.class));
            }
        });
        listView=findViewById(R.id.listView);
        searchView=findViewById(R.id.searchView);

        //初始化适配器
        noteAdapter=new NoteAdapter(this,R.layout.note_item, noteList);
        //设置适配器
        listView.setAdapter(noteAdapter);


        //搜索笔记
        searchView.setOnQueryTextListener(new SearchView.OnQueryTextListener() {
            @Override
            public boolean onQueryTextSubmit(String query) {
                if (!TextUtils.isEmpty(query)){
                    noteList.clear();
                    noteList.addAll(dbOpenHelper.getNotes(query));
                    noteAdapter.notifyDataSetChanged();
                    searchView.clearFocus();
                }
                return false;
            }

            @Override
            public boolean onQueryTextChange(String newText) {
                if (TextUtils.isEmpty(newText)){
                    noteList.clear();
                    noteList.addAll(dbOpenHelper.getNotes(null));
                    noteAdapter.notifyDataSetChanged();
                    searchView.clearFocus();
                }
                return false;
            }
        });
    }

    @Override
    protected void onResume() {
        super.onResume();
        noteList.clear();
        noteList.addAll(dbOpenHelper.getNotes(null));
        noteAdapter.notifyDataSetChanged();
    }
}

首页xml文件

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:orientation="vertical"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".ui.MainActivity">

    <androidx.appcompat.widget.SearchView
        android:id="@+id/searchView"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_marginTop="10dp"
        app:iconifiedByDefault="false"
        android:background="@drawable/edittext_style"
        app:queryHint="输入内容进行搜索"
        android:layout_marginHorizontal="20dp"/>

    <ListView
        android:id="@+id/listView"
        android:layout_marginTop="5dp"
        android:layout_width="match_parent"
        android:layout_height="match_parent"/>

</LinearLayout>

最后一个就是新增笔记页面了

由于新增和修改差不多,所以都放在一个页面了,根据flag来判断是新增还是修改

public class AddNote extends BaseActivity {
    private EditText title,content;
    private TextView number,time;
    private String flag;
    private Notes note;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_add_note);
        title=findViewById(R.id.title);
        content=findViewById(R.id.content);
        number=findViewById(R.id.number);
        time=findViewById(R.id.time);
        flag = getIntent().getStringExtra("flag");
        titleBar.getRightTextView().setText("保存");
        if (flag!=null){
            note = (Notes) getIntent().getSerializableExtra("entity");
            title.setText(note.getTitle());
            content.setText(note.getContent());
            time.setText("上次修改时间:"+ note.getTime());
            number.setText(note.getContent().length()+"字");
            titleBar.setTitle("修改记事本");
        }
        //设置时间
        else {
            Date date = new Date(System.currentTimeMillis());
            SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy年MM月dd日 HH:mm:ss", Locale.CHINA);
            time.setText(simpleDateFormat.format(date));
            titleBar.setTitle("新增记事本");
        }

        //更新字数
        content.addTextChangedListener(new TextWatcher() {
            @Override
            public void beforeTextChanged(CharSequence charSequence, int i, int i1, int i2) {
            }

            @Override
            public void onTextChanged(CharSequence charSequence, int i, int i1, int i2) {
                number.setText(content.getText().toString().length()+"字");
            }

            @Override
            public void afterTextChanged(Editable editable) {
            }
        });

        titleBar.setOnRightViewClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                Date date = new Date(System.currentTimeMillis());
                SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy年MM月dd日 HH:mm:ss", Locale.CHINA);
                if (!"".equals(title.getText().toString())&&!"".equals(content.getText().toString())){
                    if (flag==null){
                        if (dbOpenHelper.insertNotes(title.getText().toString(),content.getText().toString(),simpleDateFormat.format(date), SPUtils.getInstance().getString("username"))){
                            Toast.makeText(AddNote.this, "保存成功!", Toast.LENGTH_SHORT).show();
                        }
                        else {
                            Toast.makeText(AddNote.this, "未知错误", Toast.LENGTH_SHORT).show();
                        }
                    }
                    else {
                        if (dbOpenHelper.updateNotes(String.valueOf(note.getId()),title.getText().toString(),content.getText().toString(),simpleDateFormat.format(date))){
                            Toast.makeText(AddNote.this, "修改成功!", Toast.LENGTH_SHORT).show();
                        }
                        else {
                            Toast.makeText(AddNote.this, "未知错误", Toast.LENGTH_SHORT).show();
                        }
                    }
                    finish();
                }
                else {
                    Toast.makeText(AddNote.this, "请输入内容!", Toast.LENGTH_SHORT).show();
                }
            }
        });
    }
}

xml文件

<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".ui.AddNote">
    <TextView
        android:id="@+id/time"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text=""
        android:textSize="16sp"
        android:layout_marginTop="20dp"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.065"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toTopOf="parent" />

    <TextView
        android:id="@+id/number"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="0字"
        android:textSize="16sp"
        android:layout_marginTop="20dp"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.077"
        app:layout_constraintStart_toEndOf="@+id/time"
        app:layout_constraintTop_toTopOf="parent"  />

    <EditText
        android:id="@+id/title"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:hint="标题"
        android:inputType="text"
        android:lines="1"
        android:maxLength="10"
        android:paddingLeft="10dp"
        android:textColor="@color/black"
        android:textSize="30sp"
        android:layout_marginTop="10dp"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.0"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/number"
        android:autofillHints="" />
    <EditText
        android:id="@+id/content"
        android:layout_width="match_parent"
        android:layout_height="0dp"
        android:hint="内容"
        android:background="@null"
        android:gravity="start"
        android:textSize="25sp"
        android:paddingStart="10dp"
        android:textColor="@color/black"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/title"
        android:autofillHints="" />
</androidx.constraintlayout.widget.ConstraintLayout>

最后就是listView的适配器了

//listview适配器
public class NoteAdapter extends ArrayAdapter<Notes> {
    private Context context;
    private DBOpenHelper dbOpenHelper;

    //构造方法
    public NoteAdapter(@NonNull Context context, int resource, List<Notes> diaryList) {
        super(context, resource,diaryList);
        this.context=context;
        dbOpenHelper=new DBOpenHelper(context);
    }

    @NonNull
    @Override
    public View getView(int position, @Nullable View convertView, @NonNull ViewGroup parent) {
        Notes note=getItem(position);
        @SuppressLint("ViewHolder") View view= LayoutInflater.from(getContext()).inflate(R.layout.note_item,parent,false);
        TextView title = view.findViewById(R.id.title);
        TextView create_time = view.findViewById(R.id.create_time);
        TextView content=view.findViewById(R.id.content);
        ImageView del = view.findViewById(R.id.del);
        LinearLayout constraintLayout=view.findViewById(R.id.con);

        //设置item内容
        title.setText(note.getTitle());
        content.setText(note.getContent());
        create_time.setText(note.getTime());
        //删除item
        del.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                if (dbOpenHelper.deleteNotes(String.valueOf(note.getId()))){
                    Toast.makeText(context,"已删除",Toast.LENGTH_SHORT).show();
                    remove(note);
                    notifyDataSetChanged();
                }
                else {
                    Toast.makeText(context, "删除失败", Toast.LENGTH_SHORT).show();
                }
            }
        });
        //单击item
        constraintLayout.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                Intent intent=new Intent(context, AddNote.class);
                //设置flag
                intent.putExtra("flag","update");
                //将笔记内容传递过去
                intent.putExtra("entity",note);
                context.startActivity(intent);
            }
        });
        return view;
    }
}

全部代码基本就是这些了,有什么问题欢迎评论区留言

源码

github:https://github.com/panzhusheng/Notes
gitee:https://gitee.com/pan-zs/notes文章来源地址https://www.toymoban.com/news/detail-766484.html

到了这里,关于【Android 记事本,笔记本,可注册登录,增删改查(附源码)】的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • Android——多功能记事本(Android Studio)

    拍照 添加画板 录音 书写转文字 添加图片 1,主页面 2,功能 贴代码: 1,AndroidManifest.xml文件(添加权限) 2,Activity文件 ActivityRecord AddActivity DatabaseOperation GetCutBitampLocation HandWriteActivity LineEditActivity MainActivity PaintActivity PaintView ShowPicture ShowRecord TouchView 3,最后res中drawable文件

    2024年02月11日
    浏览(48)
  • 基于Android的记事本设计和模块开发

    有一万五千字论文,完美运行。 由于编程技术的迅速发展,各种记事本APP随处可见,在人们的日常生活中经常使用的到。于是各种记事本APP也跟着发展起来。本文在通过在Android Studio开发平台上开发一个简单的多功能语音输入记事本APP的过程,同时了解记事本APP的功能实现,

    2024年02月03日
    浏览(54)
  • 基于Android Studio 开发的简易记事本

    🍅 文章末尾有获取完整项目源码方式 🍅 目录 一、引言 视频效果展示: 图片效果展示: 二、详细设计 1.首页 2.添加和修改页面 3.登录页 4.注册页 三、获取源码          Android初学者开发第一个完整的基础实例项目应该就属《记事本》了,该项目基于Android Studio开发使用

    2024年02月05日
    浏览(51)
  • Android 备忘录,记事本程序设计

    android备忘录实现,使用ObjectBox数据库框架进行数据存储,增删改查等操作。代码使用kotlin编写。 1、下面看看ObjectBox数据库封装 需要注意的是:    /**      * 你只有配置好之后, 点击 Make Model \\\'你的model名字\\\', 才会创建 MyObjectBox对象      * 对于MyObjectBox的包名, 目前我发现的

    2024年01月23日
    浏览(49)
  • 微信小程序开发笔记—记事本

    其实在一开始本人就想做一个类似日记本的功能,但是碍于最开始能力有限,而且发现上网搜索到的一些相关资料较少,看到做有其他博主做,但是使用的云开发,本人暂时只想做一个简单的无后台的,所以没有参考。其次也搜到一些其他内容,真的是看了超多文章,这里贴

    2024年02月03日
    浏览(46)
  • android studio大作业,android studio课程设计,记事本实现

    先看效果图 功能点实现: 登录,注册,记事本分类添加,删除,数据分析统计报表,数据库使用SQLlite 部分实现代码

    2024年02月11日
    浏览(58)
  • 基于Android平台的记事本软件(Android Studio项目+报告+app文件)

    移动应用开发技术 期末考核报告 题    目:         基于 Android 平台的记事本软件              学生姓名                               学生学号                               专      业                            班     级

    2024年02月08日
    浏览(48)
  • 电脑记事本笔记误删如何找回?恢复删除的笔记方法

    电脑上有很多好用的记事本软件。以Windows电脑为例,比较经典的有txt记事本,每个记事本可以单独的文件形式保存,误删某个记事本文件后可通过回收站找回,还原恢复。而如果正编辑笔记的时候误删了笔记,还未保存的情况下可尝试使用Ctrl+Z撤回上一步操作,找回误删的笔

    2024年02月16日
    浏览(47)
  • 基于安卓系统(android)记事本APP管理系统设计与实现

    目录 摘要 I Abstract II 1 绪论 1.1 课题来源、目的和意义 1 1.2 国内外基本研究情况 1 2 需求分析 2.1 用户需求 4 2.2 功能需求 4 2.3 数据库选择 6 2.4 性能需求 6 3 概要设计 3.1 功能概要设计 7 3.2 数据库概要设计 13 4 详细设计 4.1 功能设计 15 4.2 数据库设计 30 5 系统功能实现 5.1 系统架

    2024年02月11日
    浏览(42)
  • Android:实现安卓小程序-记事本(备忘录)的开发,教你如何增加拿到BAT大厂offer几率

    public MyBaseAdapter(Context context, List data) { this.context = context; this.data = data; } @Override public Object getItem(int i) { return null; } @Override public long getItemId(int i) { return 0; } @Override public int getCount() { if(data==null) return 0; return data.size(); } } 接着在编写NoteAdapter类继承上类,初始化view, 将Note条目的

    2024年04月25日
    浏览(59)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包