Android学习(19) -- 数据存储之File (简单登录保存用户名和密码)

简介

         使用内部存储方式进行保存用户名和密码

         内部存储空间 存在/data/data/<package name>/files下面,可以通过getFilesDir()获取到该路径

         如果想在内部空间写入数据,只能写到自己的文件夹中,所以不需要在Manifest文件中添加权限

Android学习(19) -- 数据存储之File (简单登录保存用户名和密码)_第1张图片

代码

      登录并保存数据 

public void login(View v) {
		EditText et_name = (EditText) findViewById(R.id.et_name);
		EditText et_pwd = (EditText) findViewById(R.id.et_pwd);

		String name = et_name.getText().toString();
		String pwd = et_pwd.getText().toString();

		CheckBox cb = (CheckBox) findViewById(R.id.ch_save);

		if (cb.isChecked()) {
			// 内部存储空间 /data/data/<package name>/files下面
			// 如果想在内部空间写入数据,只能写到自己的文件夹中,所以不需要在Manifest文件中添加权限
		//	File file = new File("/data/data/com.example.savenamepwd/files/info.txt");
			File file = new File(getFilesDir(),"info.txt");

			FileOutputStream fos = null;
			try {
				fos = new FileOutputStream(file);
				fos.write((name + "##" + pwd).getBytes());

			} catch (FileNotFoundException e) {
				e.printStackTrace();
			} catch (IOException e) {
				e.printStackTrace();
			} finally {
				if (fos != null) {
					try {
						fos.close();
					} catch (IOException e) {
						e.printStackTrace();
					}
				}
			}

		}

		Toast.makeText(this, "登录成功", Toast.LENGTH_SHORT).show();
	}



 
 

     载入数据到EditText 

	public void readFile() {
		
		//File file = new File("/data/data/com.example.savenamepwd/files/info.txt");
		File file = new File(getFilesDir(),"info.txt");
		if (file.exists()) {
			try {
				FileInputStream fis = new FileInputStream("file");

				// 把字节流转换为字符流
				BufferedReader bf = new BufferedReader(new InputStreamReader(
						fis));
				// 读取txt文件里的用户名和密码
				String text = bf.readLine();
				String[] strs = text.split("##");

				// 数据回显至输入框
				EditText et_name = (EditText) findViewById(R.id.et_name);
				EditText et_pwd = (EditText) findViewById(R.id.et_pwd);

				et_name.setText(strs[0]);
				et_pwd.setText(strs[1]);

			} catch (FileNotFoundException e) {
				e.printStackTrace();
			} catch (IOException e) {
				e.printStackTrace();
			}
		}
	}


我们实际开发不会使用此种方式,进行保存用户名和密码,可以参考SharedPreference讲解。


你可能感兴趣的:(Android学习(19) -- 数据存储之File (简单登录保存用户名和密码))