Android实现仿微信朋友圈发布动态(拍照、图库选择、照片压缩、显示、保存、缩略图、点击缩略图删除对应文件等)

来源:互联网 发布:sqlserver存储过程更新 编辑:程序博客网 时间:2024/05/24 05:13

原址: http://blog.csdn.net/zhang3776813/article/details/52092591


/** * 仿微信朋友圈发布动态 * 拍照或图库选择  * 压缩图片并保存 * */public class MainActivity extends BasicActivity implements OnItemClickListener {// 图片 九宫格private GridView gv;// 图片 九宫格适配器private GridViewAdapter gvAdapter;// 用于保存图片资源文件private List<Bitmap> lists = new ArrayList<Bitmap>();// 用于保存图片路径private List<String> list_path = new ArrayList<String>();// 拍照public static final int IMAGE_CAPTURE = 1;// 从相册选择public static final int IMAGE_SELECT = 2;// 照片缩小比例private static final int SCALE = 5;@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);/* 不允许横竖屏切换 */setRequestedOrientation(1);/* 去除标题栏 */requestWindowFeature(Window.FEATURE_NO_TITLE);setContentView(R.layout.activity_main);init();}/** * 初始化控件 */private void init() {gv = (GridView) findViewById(R.id.noScrollgridview);gvAdapter = new GridViewAdapter(this, lists);gv.setOnItemClickListener(this);gv.setAdapter(gvAdapter);gvAdapter.setList(lists);}@Overrideprotected void onDestroy() {//删除文件夹及文件FileUtils.deleteDir();super.onDestroy();}/** * 拍照 *  * @param path *            照片存放的路径 */public void captureImage(String path) {Intent intent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);// 指定照片保存路径(SD卡),image.jpg为一个临时文件,每次拍照后这个图片都会被替换Uri uri = Uri.fromFile(new File(Environment.getExternalStorageDirectory(), "image.jpg"));intent.putExtra(MediaStore.EXTRA_OUTPUT, uri);startActivityForResult(intent, IMAGE_CAPTURE);}/** * 从图库中选取图片 */public void selectImage() { Intent intent = new Intent(); intent.setType("image/*"); intent.setAction(Intent.ACTION_PICK); startActivityForResult(intent, IMAGE_SELECT);}@Overrideprotected void onActivityResult(int requestCode, int resultCode, Intent data) {super.onActivityResult(requestCode, resultCode, data);if (resultCode == RESULT_OK && resultCode != RESULT_CANCELED) {String fileName;switch (requestCode) {case IMAGE_CAPTURE:// 拍照返回// 将保存在本地的图片取出并缩小后显示在界面上Bitmap bitmap = BitmapFactory.decodeFile(Environment.getExternalStorageDirectory() + "/image.jpg");Bitmap newBitmap = ImageTools.zoomBitmap(bitmap,bitmap.getWidth() / SCALE, bitmap.getHeight() / SCALE);// 由于Bitmap内存占用较大,这里需要回收内存,否则会报out of memory异常bitmap.recycle();// 生成一个图片文件名fileName = String.valueOf(System.currentTimeMillis());// 将处理过的图片添加到缩略图列表并保存到本地ImageTools.savePhotoToSDCard(newBitmap, FileUtils.SDPATH,fileName);lists.add(newBitmap);list_path.add(fileName+".jpg");for (int i = 0; i < list_path.size(); i++) {logI("第"+i+"张照片的地址:"+list_path.get(i));}// 更新GrideViewgvAdapter.setList(lists);break;case IMAGE_SELECT:// 选择照片返回ContentResolver resolver = getContentResolver();// 照片的原始资源地址Uri originalUri = data.getData();try {// 使用ContentProvider通过URI获取原始图片Bitmap photo = MediaStore.Images.Media.getBitmap(resolver,originalUri);if (photo != null) {// 为防止原始图片过大导致内存溢出,这里先缩小原图显示,然后释放原始Bitmap占用的内存Bitmap smallBitmap = ImageTools.zoomBitmap(photo,photo.getWidth() / SCALE, photo.getHeight()/ SCALE);// 释放原始图片占用的内存,防止out of memory异常发生photo.recycle();// 生成一个图片文件名fileName = String.valueOf(System.currentTimeMillis());// 将处理过的图片添加到缩略图列表并保存到本地ImageTools.savePhotoToSDCard(smallBitmap, FileUtils.SDPATH,fileName);lists.add(smallBitmap);list_path.add(fileName+".jpg");for (int i = 0; i < list_path.size(); i++) {logI("第"+i+"照片的地址:"+list_path.get(i));}// 更新GrideViewgvAdapter.setList(lists);}} catch (FileNotFoundException e) {e.printStackTrace();} catch (IOException e) {e.printStackTrace();}break;default:break;}}}@Overridepublic void onItemClick(AdapterView<?> parent, View view, final int position,long id) {Toast.makeText(getApplicationContext(), "" + position + getDataSize(),Toast.LENGTH_SHORT).show();if (position == getDataSize()) {// 点击“+”号位置添加图片showAlertDialog(false, "提示", new String[] { "拍照", "从图库选择", "取消" },new DialogInterface.OnClickListener() {@Overridepublic void onClick(DialogInterface dialog, int which) {switch (which + 1) {case 1:// 拍照captureImage(FileUtils.SDPATH);dialog.dismiss();break;case 2:// 从图库选择selectImage();dialog.dismiss();break;case 3:// 取消dialog.dismiss();break;default:break;}}});} else {// 点击图片删除showAlertDialog("提示", "是否删除此图片?", "确定", "取消", new DialogInterface.OnClickListener() {@Overridepublic void onClick(DialogInterface dialog, int which) {lists.remove(position);FileUtils.delFile(list_path.get(position));list_path.remove(position);gvAdapter.setList(lists);dialog.dismiss();}}, new DialogInterface.OnClickListener() {@Overridepublic void onClick(DialogInterface dialog, int which) {dialog.dismiss();}});}}private int getDataSize() {return lists == null ? 0 : lists.size();}// ----------------------------------------------------各种消息弹窗--------------------------------------------------------------------------///** * 带点击事件的单按钮AlertDialog *  * @param title *            弹框标题 * @param message *            弹框消息内容 * @param positiveButton *            弹框单按钮文字 * @param dialogClickListener *            弹框按钮响应事件 */public void showAlertDialog(String title, String message,String positiveButton,DialogInterface.OnClickListener dialogClickListener) {new AlertDialog.Builder(context).setCancelable(false).setTitle(title).setMessage(message).setPositiveButton(positiveButton, dialogClickListener).show();}/** * 带点击事件的双按钮AlertDialog *  * @param title *            弹框标题 * @param message *            弹框消息内容 * @param positiveButton *            弹框第一个按钮的文字 * @param negativeButton *            弹框第二个按钮的文字 * @param positiveClickListener *            弹框第一个按钮的单击事件 * @param negativeClickListener *            弹框第二个按钮的单击事件 */public void showAlertDialog(String title, String message,String positiveButton, String negativeButton,DialogInterface.OnClickListener positiveClickListener,DialogInterface.OnClickListener negativeClickListener) {new AlertDialog.Builder(context).setCancelable(false).setTitle(title).setMessage(message).setPositiveButton(positiveButton, positiveClickListener).setNegativeButton(negativeButton, negativeClickListener).show();}/** * 不带点击事件的消息弹出框 *  * @param title *            弹框标题 * @param message *            弹框消息内容 * @param positiveButton *            弹框按钮文字 */public void showAlertDialog(String title, String message,String positiveButton) {new AlertDialog.Builder(context)// 设置按系统返回键的时候按钮弹窗不取消.setCancelable(false).setTitle(title).setMessage(message).setPositiveButton(positiveButton,new DialogInterface.OnClickListener() {@Overridepublic void onClick(DialogInterface dialog,int which) {dialog.dismiss();}}).show();}/** * 单选列表类型的弹出框 *  * @param cancelable *            设置是否能让用户主动取消弹窗 *  * @param title *            弹窗标题 * @param items *            弹窗的列表数据源 * @param selectListener *            弹窗列表选择事件 */public void showAlertDialog(boolean cancelable, String title,String items[], DialogInterface.OnClickListener selectListener) {new AlertDialog.Builder(context)// 设置按系统返回键的时候按钮弹窗不取消.setCancelable(cancelable).setTitle(title).setItems(items, selectListener).show();}// ———————————————————————————————————————————————————————————获取当前系统时间———————————————————————————————————————————————————————————————————————————————————————————————————///** * 获取当前系统时间 *  * @return 当前系统时间 */public String getTime() {/* 获取当前系统时间 */SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");Date curDate = new Date(System.currentTimeMillis());// 获取当前时间String time = sdf.format(curDate);return time;}}

gridview的适配器GridViewAdapter代码:

public class GridViewAdapter extends BaseAdapter {private Context mContext;private List<Bitmap> list = new ArrayList<Bitmap>();public GridViewAdapter() {super();}/** * 获取列表数据 * @param list */public void setList(List<Bitmap> list){this.list = list;this.notifyDataSetChanged();Log.e(" 3333 ", this.list.size()+"");}public GridViewAdapter(Context mContext,List<Bitmap> list) {super();this.mContext = mContext;this.list = list;Log.e(" 2222 ", list.size()+"");}@Overridepublic int getCount() {Log.e("  ", list.size()+"");if(list==null){return 1;}else if(list.size()==9){return 9;}else{return list.size()+1;}}@Overridepublic Object getItem(int position) {if (list != null&& list.size() == 9){return list.get(position);}else if (list == null || position - 1 < 0|| position > list.size()){return null;}else{return list.get(position - 1);}}@Overridepublic long getItemId(int position) {return position;}@Overridepublic View getView(int position, View convertView, ViewGroup parent) {ViewHolder holder = null;if(convertView==null){convertView = LayoutInflater.from(mContext).inflate(R.layout.item_published_grida, null);holder = new ViewHolder();holder.item_grida_image = (ImageView) convertView.findViewById(R.id.item_grida_image);convertView.setTag(holder);}else{holder = (ViewHolder) convertView.getTag();}if (isShowAddItem(position)){holder.item_grida_image.setImageResource(R.drawable.btn_add_pic);holder.item_grida_image.setBackgroundResource(R.color.bg_gray);}else{holder.item_grida_image.setImageBitmap(list.get(position));holder.item_grida_image.setBackgroundResource(R.color.bg_gray);}return convertView;}/** * 判断当前下标是否是最大值 * @param position  当前下标 * @return */private boolean isShowAddItem(int position){int size = list == null ? 0 : list.size();return position == size;}class ViewHolder{ImageView item_grida_image;}}

FileUtils的代码:

public class FileUtils {/** * 生成文件夹路径 */public static String SDPATH = Environment.getExternalStorageDirectory()+ "/TEST_PY/";/** * 将图片压缩保存到文件夹 *  * @param bm * @param picName */public static void saveBitmap(Bitmap bm, String picName) {try {// 如果没有文件夹就创建一个程序文件夹if (!isFileExist("")) {File tempf = createSDDir("");}File f = new File(SDPATH, picName + ".JPEG");// 如果该文件夹中有同名的文件,就先删除掉原文件if (f.exists()) {f.delete();}FileOutputStream out = new FileOutputStream(f);bm.compress(Bitmap.CompressFormat.JPEG, 90, out);out.flush();out.close();} catch (FileNotFoundException e) {e.printStackTrace();} catch (IOException e) {e.printStackTrace();}}/** * 质量压缩 并返回Bitmap *  * @param image *            要压缩的图片 * @return 压缩后的图片 */private Bitmap compressImage(Bitmap image) {ByteArrayOutputStream baos = new ByteArrayOutputStream();image.compress(Bitmap.CompressFormat.JPEG, 100, baos);// 质量压缩方法,这里100表示不压缩,把压缩后的数据存放到baos中int options = 100;while (baos.toByteArray().length / 1024 > 100) { // 循环判断如果压缩后图片是否大于100kb,大于继续压缩baos.reset();// 重置baos即清空baosimage.compress(Bitmap.CompressFormat.JPEG, options, baos);// 这里压缩options%,把压缩后的数据存放到baos中options -= 10;// 每次都减少10}ByteArrayInputStream isBm = new ByteArrayInputStream(baos.toByteArray());// 把压缩后的数据baos存放到ByteArrayInputStream中Bitmap bitmap = BitmapFactory.decodeStream(isBm, null, null);// 把ByteArrayInputStream数据生成图片return bitmap;}/** * 质量压缩 *  * @param bitmap * @param picName */public static void compressImageByQuality(final Bitmap bitmap,String picName) {// 如果没有文件夹就创建一个程序文件夹if (!isFileExist("")) {try {File tempf = createSDDir("");} catch (IOException e) {// TODO Auto-generated catch blocke.printStackTrace();}}File f = new File(SDPATH, picName + ".JPEG");// 如果该文件夹中有同名的文件,就先删除掉原文件if (f.exists()) {f.delete();}ByteArrayOutputStream baos = new ByteArrayOutputStream();int options = 100;// 质量压缩方法,这里100表示不压缩,把压缩后的数据存放到baos中bitmap.compress(Bitmap.CompressFormat.JPEG, options, baos);// 循环判断如果压缩后图片是否大于200kb,大于继续压缩while (baos.toByteArray().length / 1024 > 500) {// 重置baos即让下一次的写入覆盖之前的内容baos.reset();// 图片质量每次减少5options -= 5;// 如果图片质量小于10,则将图片的质量压缩到最小值if (options < 0)options = 0;// 将压缩后的图片保存到baos中bitmap.compress(Bitmap.CompressFormat.JPEG, options, baos);// 如果图片的质量已降到最低则,不再进行压缩if (options == 0)break;}// 将压缩后的图片保存的本地上指定路径中FileOutputStream fos;try {fos = new FileOutputStream(new File(SDPATH, picName + ".JPEG"));fos.write(baos.toByteArray());fos.flush();fos.close();} catch (FileNotFoundException e) {e.printStackTrace();} catch (IOException e) {e.printStackTrace();}}/** * 创建文件夹 *  * @param dirName *            文件夹名称 * @return 文件夹路径 * @throws IOException */public static File createSDDir(String dirName) throws IOException {File dir = new File(SDPATH + dirName);if (Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {System.out.println("createSDDir:" + dir.getAbsolutePath());System.out.println("createSDDir:" + dir.mkdir());}return dir;}/** * 判断改文件是否是一个标准文件 *  * @param fileName *            判断的文件路径 * @return 判断结果 */public static boolean isFileExist(String fileName) {File file = new File(SDPATH + fileName);file.isFile();return file.exists();}/** * 删除指定文件 *  * @param fileName */public static void delFile(String fileName) {File file = new File(SDPATH + fileName);if (file.isFile()) {file.delete();}file.exists();}/** * 删除指定文件 * @param file */public static void deleteFile(File file) {if (file.exists()) { // 判断文件是否存在if (file.isFile()) { // 判断是否是文件file.delete(); // delete()方法 你应该知道 是删除的意思;} else if (file.isDirectory()) { // 否则如果它是一个目录File files[] = file.listFiles(); // 声明目录下所有的文件 files[];for (int i = 0; i < files.length; i++) { // 遍历目录下所有的文件deleteFile(files[i]); // 把每个文件 用这个方法进行迭代}}file.delete();} else {Log.i("TAG", "文件不存在!");}}/** * 删除指定文件夹中的所有文件 */public static void deleteDir() {File dir = new File(SDPATH);if (dir == null || !dir.exists() || !dir.isDirectory())return;for (File file : dir.listFiles()) {if (file.isFile())file.delete();else if (file.isDirectory())deleteDir();}dir.delete();}/** * 判断是否存在该文件 *  * @param path *            文件路径 * @return */public static boolean fileIsExists(String path) {try {File f = new File(path);if (!f.exists()) {return false;}} catch (Exception e) {return false;}return true;}}

ImageTools的代码:

public final class ImageTools {/** * Transfer drawable to bitmap *  * @param drawable * @return */public static Bitmap drawableToBitmap(Drawable drawable) {int w = drawable.getIntrinsicWidth();int h = drawable.getIntrinsicHeight();Bitmap.Config config = drawable.getOpacity() != PixelFormat.OPAQUE ? Bitmap.Config.ARGB_8888: Bitmap.Config.RGB_565;Bitmap bitmap = Bitmap.createBitmap(w, h, config);Canvas canvas = new Canvas(bitmap);drawable.setBounds(0, 0, w, h);drawable.draw(canvas);return bitmap;}/** * Bitmap to drawable *  * @param bitmap * @return */public static Drawable bitmapToDrawable(Bitmap bitmap) {return new BitmapDrawable(bitmap);}/** * Input stream to bitmap *  * @param inputStream * @return * @throws Exception */public static Bitmap inputStreamToBitmap(InputStream inputStream)throws Exception {return BitmapFactory.decodeStream(inputStream);}/** * Byte transfer to bitmap *  * @param byteArray * @return */public static Bitmap byteToBitmap(byte[] byteArray) {if (byteArray.length != 0) {return BitmapFactory.decodeByteArray(byteArray, 0, byteArray.length);} else {return null;}}/** * Byte transfer to drawable *  * @param byteArray * @return */public static Drawable byteToDrawable(byte[] byteArray) {ByteArrayInputStream ins = null;if (byteArray != null) {ins = new ByteArrayInputStream(byteArray);}return Drawable.createFromStream(ins, null);}/** * Bitmap transfer to bytes *  * @param byteArray * @return */public static byte[] bitmapToBytes(Bitmap bm) {byte[] bytes = null;if (bm != null) {ByteArrayOutputStream baos = new ByteArrayOutputStream();bm.compress(Bitmap.CompressFormat.PNG, 100, baos);bytes = baos.toByteArray();}return bytes;}/** * Drawable transfer to bytes *  * @param drawable * @return */public static byte[] drawableToBytes(Drawable drawable) {BitmapDrawable bitmapDrawable = (BitmapDrawable) drawable;Bitmap bitmap = bitmapDrawable.getBitmap();byte[] bytes = bitmapToBytes(bitmap);return bytes;}/** * Base64 to byte[]// *///public static byte[] base64ToBytes(String base64) throws IOException {//byte[] bytes = Base64.decode(base64);//return bytes;//}/////**// * Byte[] to base64// *///public static String bytesTobase64(byte[] bytes) {//String base64 = Base64.encode(bytes);//return base64;//}/** * Create reflection images *  * @param bitmap * @return */public static Bitmap createReflectionImageWithOrigin(Bitmap bitmap) {final int reflectionGap = 4;int w = bitmap.getWidth();int h = bitmap.getHeight();Matrix matrix = new Matrix();matrix.preScale(1, -1);Bitmap reflectionImage = Bitmap.createBitmap(bitmap, 0, h / 2, w,h / 2, matrix, false);Bitmap bitmapWithReflection = Bitmap.createBitmap(w, (h + h / 2),Config.ARGB_8888);Canvas canvas = new Canvas(bitmapWithReflection);canvas.drawBitmap(bitmap, 0, 0, null);Paint deafalutPaint = new Paint();canvas.drawRect(0, h, w, h + reflectionGap, deafalutPaint);canvas.drawBitmap(reflectionImage, 0, h + reflectionGap, null);Paint paint = new Paint();LinearGradient shader = new LinearGradient(0, bitmap.getHeight(), 0,bitmapWithReflection.getHeight() + reflectionGap, 0x70ffffff,0x00ffffff, TileMode.CLAMP);paint.setShader(shader);// Set the Transfer mode to be porter duff and destination inpaint.setXfermode(new PorterDuffXfermode(Mode.DST_IN));// Draw a rectangle using the paint with our linear gradientcanvas.drawRect(0, h, w, bitmapWithReflection.getHeight()+ reflectionGap, paint);return bitmapWithReflection;}/** * Get rounded corner images *  * @param bitmap * @param roundPx *            5 10 * @return */public static Bitmap getRoundedCornerBitmap(Bitmap bitmap, float roundPx) {int w = bitmap.getWidth();int h = bitmap.getHeight();Bitmap output = Bitmap.createBitmap(w, h, Config.ARGB_8888);Canvas canvas = new Canvas(output);final int color = 0xff424242;final Paint paint = new Paint();final Rect rect = new Rect(0, 0, w, h);final RectF rectF = new RectF(rect);paint.setAntiAlias(true);canvas.drawARGB(0, 0, 0, 0);paint.setColor(color);canvas.drawRoundRect(rectF, roundPx, roundPx, paint);paint.setXfermode(new PorterDuffXfermode(Mode.SRC_IN));canvas.drawBitmap(bitmap, rect, rect, paint);return output;}/** * Resize the bitmap *  * @param bitmap * @param width * @param height * @return */public static Bitmap zoomBitmap(Bitmap bitmap, int width, int height) {int w = bitmap.getWidth();int h = bitmap.getHeight();Matrix matrix = new Matrix();float scaleWidth = ((float) width / w);float scaleHeight = ((float) height / h);matrix.postScale(scaleWidth, scaleHeight);Bitmap newbmp = Bitmap.createBitmap(bitmap, 0, 0, w, h, matrix, true);return newbmp;}/** * Resize the drawable * @param drawable * @param w * @param h * @return */public static Drawable zoomDrawable(Drawable drawable, int w, int h) {int width = drawable.getIntrinsicWidth();int height = drawable.getIntrinsicHeight();Bitmap oldbmp = drawableToBitmap(drawable);Matrix matrix = new Matrix();float sx = ((float) w / width);float sy = ((float) h / height);matrix.postScale(sx, sy);Bitmap newbmp = Bitmap.createBitmap(oldbmp, 0, 0, width, height,matrix, true);return new BitmapDrawable(newbmp);}/** * Get images from SD card by path and the name of image * @param photoName * @return */public static Bitmap getPhotoFromSDCard(String path,String photoName){Bitmap photoBitmap = BitmapFactory.decodeFile(path + "/" +photoName +".png");if (photoBitmap == null) {return null;}else {return photoBitmap;}}/** * Check the SD card  * @return */public static boolean checkSDCardAvailable(){return android.os.Environment.getExternalStorageState().equals(android.os.Environment.MEDIA_MOUNTED);}/** * Get image from SD card by path and the name of image * @param fileName * @return */public static boolean findPhotoFromSDCard(String path,String photoName){boolean flag = false;if (checkSDCardAvailable()) {File dir = new File(path);if (dir.exists()) {File folders = new File(path);File photoFile[] = folders.listFiles();for (int i = 0; i < photoFile.length; i++) {String fileName = photoFile[i].getName().split("\\.")[0];if (fileName.equals(photoName)) {flag = true;}}}else {flag = false;}//File file = new File(path + "/" + photoName  + ".jpg" );//if (file.exists()) {//flag = true;//}else {//flag = false;//}}else {flag = false;}return flag;}/** * Save image to the SD card  * @param photoBitmap * @param photoName * @param path */public static void savePhotoToSDCard(Bitmap photoBitmap,String path,String photoName){if (checkSDCardAvailable()) {File dir = new File(path);if (!dir.exists()){dir.mkdirs();}File photoFile = new File(path , photoName + ".jpg");FileOutputStream fileOutputStream = null;try {fileOutputStream = new FileOutputStream(photoFile);if (photoBitmap != null) {if (photoBitmap.compress(Bitmap.CompressFormat.JPEG, 90, fileOutputStream)) {fileOutputStream.flush();//fileOutputStream.close();}}} catch (FileNotFoundException e) {photoFile.delete();e.printStackTrace();} catch (IOException e) {photoFile.delete();e.printStackTrace();} finally{try {fileOutputStream.close();} catch (IOException e) {e.printStackTrace();}}} }/** * Delete the image from SD card * @param context * @param path * file:///sdcard/temp.jpg */public static void deleteAllPhoto(String path){if (checkSDCardAvailable()) {File folder = new File(path);File[] files = folder.listFiles();for (int i = 0; i < files.length; i++) {files[i].delete();}}}public static void deletePhotoAtPathAndName(String path,String fileName){if (checkSDCardAvailable()) {File folder = new File(path);File[] files = folder.listFiles();for (int i = 0; i < files.length; i++) {if (files[i].getName().split("\\.")[0].equals(fileName)) {files[i].delete();}}}}}

效果图:


0 0