비트 맵을 위치에 저장
웹 서버에서 이미지를 다운로드하여 화면에 표시하는 기능을 연구 중이며 사용자가 이미지를 유지하려면 특정 폴더의 SD 카드에 저장하십시오. 비트 맵을 가져 와서 선택한 폴더의 SD 카드에 저장하는 쉬운 방법이 있습니까?
내 문제는 이미지를 다운로드하여 화면에 비트 맵으로 표시 할 수 있다는 것입니다. 이미지를 특정 폴더에 저장하는 유일한 방법은 FileOutputStream을 사용하는 것이지만 바이트 배열이 필요합니다. Bitmap에서 바이트 배열로 변환하는 방법을 잘 모르므로 FileOutputStream을 사용하여 데이터를 쓸 수 있습니다.
내가 가지고있는 다른 옵션은 MediaStore를 사용하는 것입니다.
MediaStore.Images.Media.insertImage(getContentResolver(), bm,
barcodeNumber + ".jpg Card Image", barcodeNumber + ".jpg Card Image");
SD 카드에 저장하는 것이 좋지만 폴더를 사용자 정의 할 수는 없습니다.
try (FileOutputStream out = new FileOutputStream(filename)) {
bmp.compress(Bitmap.CompressFormat.PNG, 100, out); // bmp is your Bitmap instance
// PNG is a lossless format, the compression factor (100) is ignored
} catch (IOException e) {
e.printStackTrace();
}
이 Bitmap.compress()
방법을 사용하여 비트 맵을 파일로 저장 해야 합니다. 사진을 압축하고 (사용 가능한 형식이 허용하는 경우) OutputStream으로 푸시합니다.
getImageBitmap(myurl)
압축률이 85 % 인 JPEG로 압축 할 수 있는 비트 맵 인스턴스의 예는 다음과 같습니다 .
// Assume block needs to be inside a Try/Catch block.
String path = Environment.getExternalStorageDirectory().toString();
OutputStream fOut = null;
Integer counter = 0;
File file = new File(path, "FitnessGirl"+counter+".jpg"); // the File to save , append increasing numeric counter to prevent files from getting overwritten.
fOut = new FileOutputStream(file);
Bitmap pictureBitmap = getImageBitmap(myurl); // obtaining the Bitmap
pictureBitmap.compress(Bitmap.CompressFormat.JPEG, 85, fOut); // saving the Bitmap to a file compressed as a JPEG with 85% compression rate
fOut.flush(); // Not really required
fOut.close(); // do not forget to close the stream
MediaStore.Images.Media.insertImage(getContentResolver(),file.getAbsolutePath(),file.getName(),file.getName());
outStream = new FileOutputStream(file);
AndroidManifest.xml에서 허가없이 예외가 발생합니다 (적어도 os2.2에서는).
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"/>
내부 onActivityResult
:
String filename = "pippo.png";
File sd = Environment.getExternalStorageDirectory();
File dest = new File(sd, filename);
Bitmap bitmap = (Bitmap)data.getExtras().get("data");
try {
FileOutputStream out = new FileOutputStream(dest);
bitmap.compress(Bitmap.CompressFormat.PNG, 90, out);
out.flush();
out.close();
} catch (Exception e) {
e.printStackTrace();
}
무손실 PNG와 같은 일부 형식은 품질 설정을 무시합니다.
Bitmap bbicon;
bbicon=BitmapFactory.decodeResource(getResources(),R.drawable.bannerd10);
//ByteArrayOutputStream baosicon = new ByteArrayOutputStream();
//bbicon.compress(Bitmap.CompressFormat.PNG,0, baosicon);
//bicon=baosicon.toByteArray();
String extStorageDirectory = Environment.getExternalStorageDirectory().toString();
OutputStream outStream = null;
File file = new File(extStorageDirectory, "er.PNG");
try {
outStream = new FileOutputStream(file);
bbicon.compress(Bitmap.CompressFormat.PNG, 100, outStream);
outStream.flush();
outStream.close();
} catch(Exception e) {
}
다음은 파일에 비트 맵을 저장하기위한 샘플 코드입니다.
public static File savebitmap(Bitmap bmp) throws IOException {
ByteArrayOutputStream bytes = new ByteArrayOutputStream();
bmp.compress(Bitmap.CompressFormat.JPEG, 60, bytes);
File f = new File(Environment.getExternalStorageDirectory()
+ File.separator + "testimage.jpg");
f.createNewFile();
FileOutputStream fo = new FileOutputStream(f);
fo.write(bytes.toByteArray());
fo.close();
return f;
}
이제이 함수를 호출하여 비트 맵을 내부 메모리에 저장하십시오.
File newfile = savebitmap(bitmap)
;
도움이 되길 바랍니다. 행복한 코딩 생활.
Bitmap.compress
100으로 메소드를 호출하지 않는 이유는 무엇 입니까?
또한 사진을 저장하고 싶습니다. 그러나 내 문제 (?)는 내가 그린 비트 맵에서 저장하고 싶다는 것입니다.
나는 이것을 다음과 같이 만들었다.
@Override
public boolean onOptionsItemSelected(MenuItem item) {
switch (item.getItemId()) {
case R.id.save_sign:
myView.save();
break;
}
return false;
}
public void save() {
String filename;
Date date = new Date(0);
SimpleDateFormat sdf = new SimpleDateFormat ("yyyyMMddHHmmss");
filename = sdf.format(date);
try{
String path = Environment.getExternalStorageDirectory().toString();
OutputStream fOut = null;
File file = new File(path, "/DCIM/Signatures/"+filename+".jpg");
fOut = new FileOutputStream(file);
mBitmap.compress(Bitmap.CompressFormat.JPEG, 85, fOut);
fOut.flush();
fOut.close();
MediaStore.Images.Media.insertImage(getContentResolver()
,file.getAbsolutePath(),file.getName(),file.getName());
}catch (Exception e) {
e.printStackTrace();
}
}
PNG와 투명도를 보내는 방법을 찾았습니다.
String file_path = Environment.getExternalStorageDirectory().getAbsolutePath() +
"/CustomDir";
File dir = new File(file_path);
if(!dir.exists())
dir.mkdirs();
String format = new SimpleDateFormat("yyyyMMddHHmmss",
java.util.Locale.getDefault()).format(new Date());
File file = new File(dir, format + ".png");
FileOutputStream fOut;
try {
fOut = new FileOutputStream(file);
yourbitmap.compress(Bitmap.CompressFormat.PNG, 85, fOut);
fOut.flush();
fOut.close();
} catch (Exception e) {
e.printStackTrace();
}
Uri uri = Uri.fromFile(file);
Intent intent = new Intent(android.content.Intent.ACTION_SEND);
intent.setType("image/*");
intent.putExtra(android.content.Intent.EXTRA_SUBJECT, "");
intent.putExtra(android.content.Intent.EXTRA_TEXT, "");
intent.putExtra(Intent.EXTRA_STREAM, uri);
startActivity(Intent.createChooser(intent,"Sharing something")));
비디오의 비디오 썸네일을 만듭니다. 비디오가 손상되었거나 형식이 지원되지 않으면 null을 반환 할 수 있습니다.
private void makeVideoPreview() {
Bitmap thumbnail = ThumbnailUtils.createVideoThumbnail(videoAbsolutePath, MediaStore.Images.Thumbnails.MINI_KIND);
saveImage(thumbnail);
}
sdcard에 비트 맵을 저장하려면 다음 코드를 사용하십시오
매장 이미지
private void storeImage(Bitmap image) {
File pictureFile = getOutputMediaFile();
if (pictureFile == null) {
Log.d(TAG,
"Error creating media file, check storage permissions: ");// e.getMessage());
return;
}
try {
FileOutputStream fos = new FileOutputStream(pictureFile);
image.compress(Bitmap.CompressFormat.PNG, 90, fos);
fos.close();
} catch (FileNotFoundException e) {
Log.d(TAG, "File not found: " + e.getMessage());
} catch (IOException e) {
Log.d(TAG, "Error accessing file: " + e.getMessage());
}
}
이미지 저장 경로를 얻으려면
/** Create a File for saving an image or video */
private File getOutputMediaFile(){
// To be safe, you should check that the SDCard is mounted
// using Environment.getExternalStorageState() before doing this.
File mediaStorageDir = new File(Environment.getExternalStorageDirectory()
+ "/Android/data/"
+ getApplicationContext().getPackageName()
+ "/Files");
// This location works best if you want the created images to be shared
// between applications and persist after your app has been uninstalled.
// Create the storage directory if it does not exist
if (! mediaStorageDir.exists()){
if (! mediaStorageDir.mkdirs()){
return null;
}
}
// Create a media file name
String timeStamp = new SimpleDateFormat("ddMMyyyy_HHmm").format(new Date());
File mediaFile;
String mImageName="MI_"+ timeStamp +".jpg";
mediaFile = new File(mediaStorageDir.getPath() + File.separator + mImageName);
return mediaFile;
}
비트 맵을 선택한 디렉토리에 저장하려고합니다. 비트 맵 / 드로어 블 / base64 이미지를로드, 저장 및 변환 할 수있는 라이브러리 ImageWorker를 만들었습니다.
최소 SDK-14
전제 조건
- 파일을 저장하려면 WRITE_EXTERNAL_STORAGE 권한이 필요합니다.
- 파일을 검색하려면 READ_EXTERNAL_STORAGE 권한이 필요합니다.
비트 맵 / 드로어 블 / Base64 저장
ImageWorker.to(context).
directory("ImageWorker").
subDirectory("SubDirectory").
setFileName("Image").
withExtension(Extension.PNG).
save(sourceBitmap,85)
비트 맵로드
val bitmap: Bitmap? = ImageWorker.from(context).
directory("ImageWorker").
subDirectory("SubDirectory").
setFileName("Image").
withExtension(Extension.PNG).
load()
이행
종속성 추가
프로젝트 레벨 Gradle에서
allprojects {
repositories {
...
maven { url 'https://jitpack.io' }
}
}
응용 프로그램 레벨 Gradle에서
dependencies {
implementation 'com.github.ihimanshurawat:ImageWorker:0.51'
}
https://github.com/ihimanshurawat/ImageWorker/blob/master/README.md에서 자세한 내용을 읽을 수 있습니다.
그냥 이름을 .bmp 로 해주세요.
이 작업을 수행:
ByteArrayOutputStream bytes = new ByteArrayOutputStream();
_bitmapScaled.compress(Bitmap.CompressFormat.PNG, 40, bytes);
//you can create a new file name "test.BMP" in sdcard folder.
File f = new File(Environment.getExternalStorageDirectory()
+ File.separator + "**test.bmp**")
IM JUST FOOLING AROUND라는 말이 들리지만 일단 bmp foramt에 저장되면 시도해보십시오.
다음을 호출하기 전에 디렉토리가 작성되었는지 확인하십시오 bitmap.compress
.
new File(FileName.substring(0,FileName.lastIndexOf("/"))).mkdirs();
Android 4.4 Kitkat 이후 2017 년 기준 Android 4.4 이하의 점유율이 약 20 %이고 감소하면 File
클래스 및 getExternalStorageDirectory()
방법을 사용하여 SD 카드에 저장할 수 없습니다 . 이 방법은 기기 내부 메모리를 반환하고 이미지는 모든 앱에 표시됩니다. 또한 앱 전용 이미지를 저장하고 사용자가 openFileOutput()
메소드를 사용 하여 앱을 삭제하면 이미지를 삭제할 수도 있습니다 .
Android 6.0부터는 SD 카드를 내부 메모리로 포맷 할 수 있지만 장치 전용으로 만 포맷 할 수 있습니다 (SD 자동차를 내부 메모리로 포맷하면 장치 만 해당 내용에 액세스하거나 내용을 볼 수 있음)를 사용하여 해당 SD 카드에 저장할 수 있습니다 다른 답변이지만 이동식 SD 카드를 사용하려면 아래 답변을 읽으십시오.
Storage Access Framework 를 사용 onActivityResult
하여 사용자가 선택한 폴더를 가져 오려면 폴더로 활동 방법을 가져오고 사용자가 장치를 다시 시작한 후 폴더에 액세스 할 수 있도록 검색 가능한 지속 가능한 권한을 추가해야합니다.
@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (resultCode == RESULT_OK) {
// selectDirectory() invoked
if (requestCode == REQUEST_FOLDER_ACCESS) {
if (data.getData() != null) {
Uri treeUri = data.getData();
tvSAF.setText("Dir: " + data.getData().toString());
currentFolder = treeUri.toString();
saveCurrentFolderToPrefs();
// grantUriPermission(getPackageName(), treeUri,
// Intent.FLAG_GRANT_READ_URI_PERMISSION |
// Intent.FLAG_GRANT_WRITE_URI_PERMISSION);
final int takeFlags = data.getFlags()
& (Intent.FLAG_GRANT_READ_URI_PERMISSION | Intent.FLAG_GRANT_WRITE_URI_PERMISSION);
// Check for the freshest data.
getContentResolver().takePersistableUriPermission(treeUri, takeFlags);
}
}
}
}
이제 이미지를 저장할 때마다 폴더를 선택하도록 요청하지 않도록 공유 폴더를 공유 환경 설정에 저장하십시오.
당신은 사용해야 DocumentFile
이미지,하지를 저장하는 클래스 File
또는 ParcelFileDescriptor
확인할 수있는 추가 정보를 원하시면, 이 스레드를 가진 SD 카드에 이미지를 저장하는 compress(CompressFormat.JPEG, 100, out);
방법 및 DocumentFile
클래스.
일부 새로운 장치는 비트 맵을 저장하지 않으므로 조금 더 설명했습니다 ..
아래에 권한 을 추가했는지 확인하십시오
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
xml
폴더 이름 provider_paths.xml 아래에 xml 파일을 작성하십시오.
<?xml version="1.0" encoding="utf-8"?>
<paths>
<external-path
name="external_files"
path="." />
</paths>
아래 AndroidManifest에서
<provider
android:name="android.support.v4.content.FileProvider"
android:authorities="${applicationId}.provider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/provider_paths"/>
</provider>
그런 다음 saveBitmapFile (passYourBitmapHere)을 호출하십시오.
public static void saveBitmapFile(Bitmap bitmap) throws IOException {
File mediaFile = getOutputMediaFile();
FileOutputStream fileOutputStream = new FileOutputStream(mediaFile);
bitmap.compress(Bitmap.CompressFormat.JPEG, getQualityNumber(bitmap), fileOutputStream);
fileOutputStream.flush();
fileOutputStream.close();
}
어디
File getOutputMediaFile() {
File mediaStorageDir = new File(
Environment.getExternalStorageDirectory(),
"easyTouchPro");
if (mediaStorageDir.isDirectory()) {
// Create a media file name
String timeStamp = new SimpleDateFormat("yyyyMMdd_HHmmss")
.format(Calendar.getInstance().getTime());
String mCurrentPath = mediaStorageDir.getPath() + File.separator
+ "IMG_" + timeStamp + ".jpg";
File mediaFile = new File(mCurrentPath);
return mediaFile;
} else { /// error handling for PIE devices..
mediaStorageDir.delete();
mediaStorageDir.mkdirs();
galleryAddPic(mediaStorageDir);
return (getOutputMediaFile());
}
}
그리고 다른 방법들
public static int getQualityNumber(Bitmap bitmap) {
int size = bitmap.getByteCount();
int percentage = 0;
if (size > 500000 && size <= 800000) {
percentage = 15;
} else if (size > 800000 && size <= 1000000) {
percentage = 20;
} else if (size > 1000000 && size <= 1500000) {
percentage = 25;
} else if (size > 1500000 && size <= 2500000) {
percentage = 27;
} else if (size > 2500000 && size <= 3500000) {
percentage = 30;
} else if (size > 3500000 && size <= 4000000) {
percentage = 40;
} else if (size > 4000000 && size <= 5000000) {
percentage = 50;
} else if (size > 5000000) {
percentage = 75;
}
return percentage;
}
과
void galleryAddPic(File f) {
Intent mediaScanIntent = new Intent(
"android.intent.action.MEDIA_SCANNER_SCAN_FILE");
Uri contentUri = Uri.fromFile(f);
mediaScanIntent.setData(contentUri);
this.sendBroadcast(mediaScanIntent);
}
실제로 답변이 아니라 의견입니다. 에뮬레이터 환경을 실행하는 Mac에서 java.io.IOException : 권한이 거부되었습니다.이 코드에 오류가 있습니다.
protected void onActivityResult(int requestCode, int resultCode, Intent imageReturnedIntent) {
Log.d("DEBUG", "onActivityResult called");
super.onActivityResult(requestCode, resultCode, imageReturnedIntent);
if(requestCode == 0 && resultCode == RESULT_OK) {
Log.d("DEBUG", "result is ok");
try{
Bitmap map = (Bitmap) imageReturnedIntent.getExtras().get("data");
File sd = new File(Environment.getExternalStorageDirectory(), "test.png");
sd.mkdirs();
sd.createNewFile();
FileOutputStream out = new FileOutputStream(sd);
map.compress(Bitmap.CompressFormat.PNG, 90, out);
out.flush();
out.close();
} catch(FileNotFoundException e){
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
}
}
또한 uses-permission android.permission.WRITE_EXTERNAL_STORAGE를 매니페스트 파일에 추가했습니다 (다른 사람들이 지적한 것처럼).
압축하지 않고 갤러리에 비트 맵을 저장하십시오.
private File saveBitMap(Context context, Bitmap Final_bitmap) {
File pictureFileDir = new File(Environment.getExternalStoragePublicDirectory(Environment.DIRECTORY_PICTURES), "Your Folder Name");
if (!pictureFileDir.exists()) {
boolean isDirectoryCreated = pictureFileDir.mkdirs();
if (!isDirectoryCreated)
Log.i("TAG", "Can't create directory to save the image");
return null;
}
String filename = pictureFileDir.getPath() + File.separator + System.currentTimeMillis() + ".jpg";
File pictureFile = new File(filename);
try {
pictureFile.createNewFile();
FileOutputStream oStream = new FileOutputStream(pictureFile);
Final_bitmap.compress(Bitmap.CompressFormat.PNG, 100, oStream);
oStream.flush();
oStream.close();
Toast.makeText(Full_Screen_Activity.this, "Save Image Successfully..", Toast.LENGTH_SHORT).show();
} catch (IOException e) {
e.printStackTrace();
Log.i("TAG", "There was an issue saving the image.");
}
scanGallery(context, pictureFile.getAbsolutePath());
return pictureFile;
}
private void scanGallery(Context cntx, String path) {
try {
MediaScannerConnection.scanFile(cntx, new String[]{path}, null, new MediaScannerConnection.OnScanCompletedListener() {
public void onScanCompleted(String path, Uri uri) {
Toast.makeText(Full_Screen_Activity.this, "Save Image Successfully..", Toast.LENGTH_SHORT).show();
}
});
} catch (Exception e) {
e.printStackTrace();
Log.i("TAG", "There was an issue scanning gallery.");
}
}
// | == | 비트 맵에서 PNG 파일을 만듭니다.
void devImjFylFnc(String pthAndFylTtlVar, Bitmap iptBmjVar)
{
try
{
FileOutputStream fylBytWrtrVar = new FileOutputStream(pthAndFylTtlVar);
iptBmjVar.compress(Bitmap.CompressFormat.PNG, 100, fylBytWrtrVar);
fylBytWrtrVar.close();
}
catch (Exception errVar) { errVar.printStackTrace(); }
}
// | == | 파일에서 Bimap 가져 오기 :
Bitmap getBmjFrmFylFnc(String pthAndFylTtlVar)
{
return BitmapFactory.decodeFile(pthAndFylTtlVar);
}
참고 URL : https://stackoverflow.com/questions/649154/save-bitmap-to-location
'development' 카테고리의 다른 글
Array.prototype.slice.call ()은 어떻게 작동합니까? (0) | 2020.02.16 |
---|---|
heroku-모든 로그를 보는 방법 (0) | 2020.02.16 |
JavaScript 배열 정보를 CSV로 내보내는 방법 (클라이언트 측)? (0) | 2020.02.16 |
페이지의 관련 구성 데이터가 유효하지 않으므로 요청한 페이지에 액세스 할 수 없습니다. (0) | 2020.02.16 |
Swift에서 UIAlertView를 어떻게 만들 수 있습니까? (0) | 2020.02.16 |