오늘이라도
[Android] 24. 녹음 후 재생 / 사진 촬영 후 화면에 출력 본문
반응형
https://github.com/upcake/Class_Examples
교육 중에 작성한 예제들은 깃허브에 올려두고 있습니다.
gif 파일은 클릭해서 보는 것이 정확합니다.
- 녹음 후 재생 -
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.my33_audiorecorder">
<!--권한 설정-->
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE"/>
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"/>
<uses-permission android:name="android.permission.RECORD_AUDIO"/>
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
▲AndroidManifest.xml
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<Button
android:id="@+id/button1"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="녹음 시작"
android:textSize="24sp" />
<Button
android:id="@+id/button2"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="녹음 정지"
android:textSize="24sp" />
<Button
android:id="@+id/button3"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="재생 시작"
android:textSize="24sp" />
<Button
android:id="@+id/button4"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="재생 정지"
android:textSize="24sp" />
</LinearLayout>
▲activity_main.xml
// Top-level build file where you can add configuration options common to all sub-projects/modules.
buildscript {
repositories {
google()
jcenter()
}
dependencies {
classpath 'com.android.tools.build:gradle:3.6.3'
// NOTE: Do not place your application dependencies here; they belong
// in the individual module build.gradle files
}
}
allprojects {
repositories {
google()
jcenter()
/*외부 라이브러리 사용 설정*/
maven {
url 'https://jitpack.io'
}
}
}
task clean(type: Delete) {
delete rootProject.buildDir
}
▲build.gradle(My33_AudioRecorder)
apply plugin: 'com.android.application'
android {
compileSdkVersion 29
buildToolsVersion "29.0.3"
defaultConfig {
applicationId "com.example.my33_audiorecorder"
minSdkVersion 16
targetSdkVersion 29
versionCode 1
versionName "1.0"
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
}
buildTypes {
release {
minifyEnabled false
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
}
}
}
dependencies {
implementation fileTree(dir: 'libs', include: ['*.jar'])
implementation 'androidx.appcompat:appcompat:1.1.0'
implementation 'androidx.constraintlayout:constraintlayout:1.1.3'
testImplementation 'junit:junit:4.12'
androidTestImplementation 'androidx.test.ext:junit:1.1.1'
androidTestImplementation 'androidx.test.espresso:espresso-core:3.2.0'
/* 외부 라이브러리 추가 */
implementation 'com.github.pedroSG94:AutoPermissions:1.0.3'
}
▲build.gradle (:app)
package com.example.my33_audiorecorder;
import androidx.annotation.NonNull;
import androidx.appcompat.app.AppCompatActivity;
import android.media.MediaPlayer;
import android.media.MediaRecorder;
import android.os.Bundle;
import android.os.Environment;
import android.util.Log;
import android.view.View;
import android.widget.Button;
import android.widget.Toast;
import com.pedro.library.AutoPermissions;
import com.pedro.library.AutoPermissionsListener;
import java.io.File;
import java.io.IOException;
public class MainActivity extends AppCompatActivity implements AutoPermissionsListener {
//객체 선언
String fileName;
MediaPlayer player;
MediaRecorder recorder;
//로그캣 사용 준비
private static final String TAG = "MainActivity";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
//자동으로 권한 주어지게 설정
AutoPermissions.Companion.loadAllPermissions(this, 101);
//sdCard에 외부 저장장치의 절대 경로를 초기화
String sdCard = Environment.getExternalStorageDirectory().getAbsolutePath();
//File.separator : 경로에 쓰이는 슬래쉬(/)와 같다.
//fileName = sdCard + "/" + "recorded.mp4";
fileName = sdCard + File.separator + "recorded.mp4";
Log.d(TAG, "onCreate: " + fileName);
//버튼 객체 초기화
Button btnRecord = findViewById(R.id.button1);
Button btnRecStop = findViewById(R.id.button2);
Button btnPlay = findViewById(R.id.button3);
Button btnStop= findViewById(R.id.button4);
//녹음 버튼 기능 추가
btnRecord.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if(recorder != null) { //레코더에 작동 흔적이 있다면 레코더 흔적을 없앤다.
recorder.stop();
recorder.release(); //release() : 메모리에서 내림
recorder = null;
}
recorder = new MediaRecorder();
recorder.setAudioSource(MediaRecorder.AudioSource.MIC);
recorder.setOutputFormat(MediaRecorder.OutputFormat.MPEG_4);
recorder.setAudioEncoder(MediaRecorder.AudioEncoder.DEFAULT);
recorder.setOutputFile(fileName);
try {
Toast.makeText(MainActivity.this, "녹음을 시작합니다", Toast.LENGTH_SHORT).show();
recorder.prepare();
recorder.start();
} catch (Exception e) {
e.printStackTrace();
Log.d(TAG, "!!!btnRecord onClick Exception!!!");
}
}
});
//녹음 정지 버튼 기능 추가
btnRecStop.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if(recorder == null) { //레코더가 작동중이지 않으면
return;
}
recorder.stop();
recorder.release();
recorder = null;
}
});
//재생 버튼 기능 추가
btnPlay.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if(player != null) { //재생중이면
player.stop();
player.release();
player = null;
}
try {
player = new MediaPlayer();
player.setDataSource(fileName);
player.prepare();
player.start();
} catch (Exception e) {
e.printStackTrace();
Log.d(TAG, "!!!btnPlay onClick Exception!!!");
}
}
});
//재생 정지 버튼 기능 추가
btnStop.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
player.stop();
player.release();
player = null;
}
});
}
@Override
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
super.onRequestPermissionsResult(requestCode, permissions, grantResults);
AutoPermissions.Companion.parsePermissions(this, requestCode, permissions, this);
}
@Override
public void onDenied(int i, String[] strings) {
Toast.makeText(this, "Permissions Denied", Toast.LENGTH_SHORT).show();
}
@Override
public void onGranted(int i, String[] strings) {
Toast.makeText(this, "Permissions Granted", Toast.LENGTH_SHORT).show();
}
}
▲MainActivity.java
- 사진 촬영 후 화면에 출력 -
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.my34_captureintent">
<!--권한 부여-->
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"/>
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE"/>
<uses-permission android:name="android.permission.CAMERA"/>
<uses-feature android:name="android.hardware.camera2"
android:required="true" />
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<!--provider 설정정-->
<provider
android:authorities="${applicationId}.fileprovider"
android:name="androidx.core.content.FileProvider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/filepaths"/>
</provider>
</application>
</manifest>
▲AndroidManifest.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"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<Button
android:id="@+id/button1"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:text="사진 촬영"
android:textSize="24sp" />
<ImageView
android:id="@+id/imageView"
android:layout_width="match_parent"
android:layout_height="match_parent"
app:srcCompat="@mipmap/ic_launcher" />
</LinearLayout>
▲activity_main.xml
<?xml version="1.0" encoding="utf-8"?>
<paths>
<external-path
name="sdcard"
path="." />
</paths>
▲filepaths.xml
package com.example.my34_captureintent;
import androidx.annotation.Nullable;
import androidx.appcompat.app.AppCompatActivity;
import androidx.core.app.ActivityCompat;
import androidx.core.content.ContextCompat;
import androidx.core.content.FileProvider;
import android.Manifest;
import android.content.Intent;
import android.content.pm.PackageManager;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.net.Uri;
import android.os.Build;
import android.os.Bundle;
import android.os.Environment;
import android.provider.MediaStore;
import android.util.Log;
import android.view.View;
import android.widget.Button;
import android.widget.ImageView;
import android.widget.Toast;
import java.io.File;
public class MainActivity extends AppCompatActivity {
//객체 선언
File file = null;
Button btnPic;
ImageView imageView;
//로그캣 사용 준비
private static final String TAG = "MainActivity";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
checkDangerousPermissions();
//이미지뷰, 버튼 객체 초기화
imageView = findViewById(R.id.imageView);
btnPic = findViewById(R.id.button1);
//촬영 버튼에 기능 추가
btnPic.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
if(file == null){
file = createFile();
}
Intent intent = new Intent(MediaStore.ACTION_IMAGE_CAPTURE);
if(Build.VERSION.SDK_INT >= Build.VERSION_CODES.N){
intent.putExtra(MediaStore.EXTRA_OUTPUT,
FileProvider.getUriForFile(getApplicationContext(),
getApplicationContext().getPackageName() + ".fileprovider", file));
Log.d(TAG, "onClick: " + getApplicationContext().getPackageName());
}else {
intent.putExtra(MediaStore.EXTRA_OUTPUT, Uri.fromFile(file));
}
if(intent.resolveActivity(getPackageManager()) != null){
startActivityForResult(intent, 1004);
}
}
});
}
@Override
protected void onActivityResult(int requestCode, int resultCode, @Nullable Intent data) {
super.onActivityResult(requestCode, resultCode, data);
Log.d(TAG, "onActivityResult: " + requestCode + ", " + resultCode);
if(requestCode == 1004 && resultCode == RESULT_OK) {
BitmapFactory.Options options = new BitmapFactory.Options();
//해상도를 1/8로 줄임
options.inSampleSize = 8;
if (file != null) {
Bitmap bitmap = BitmapFactory.decodeFile(file.getAbsolutePath(), options);
imageView.setImageBitmap(bitmap);
} else {
Toast.makeText(this, "File is null", Toast.LENGTH_SHORT).show();
}
}
}
//파일 생성 메서드
private File createFile() {
String imageFileName = "test.jpg";
File storageDir = new File(Environment.getExternalStorageDirectory()
+ File.separator + "AnImage");
File curFile = null;
if(!storageDir.exists()){
storageDir.mkdir();
curFile = new File(storageDir, imageFileName);
} else {
curFile = new File(storageDir, imageFileName);
}
return curFile;
}
//------------------권한 설정 시작------------------------
private void checkDangerousPermissions() {
String[] permissions = {
Manifest.permission.READ_EXTERNAL_STORAGE,
Manifest.permission.WRITE_EXTERNAL_STORAGE,
Manifest.permission.CAMERA
};
int permissionCheck = PackageManager.PERMISSION_GRANTED;
for (int i = 0; i < permissions.length; i++) {
permissionCheck = ContextCompat.checkSelfPermission(this, permissions[i]);
if (permissionCheck == PackageManager.PERMISSION_DENIED) {
break;
}
}
if (permissionCheck == PackageManager.PERMISSION_GRANTED) {
Toast.makeText(this, "권한 있음", Toast.LENGTH_LONG).show();
} else {
Toast.makeText(this, "권한 없음", Toast.LENGTH_LONG).show();
if (ActivityCompat.shouldShowRequestPermissionRationale(this, permissions[0])) {
Toast.makeText(this, "권한 설명 필요함.", Toast.LENGTH_LONG).show();
} else {
ActivityCompat.requestPermissions(this, permissions, 1);
}
}
}
@Override
public void onRequestPermissionsResult(int requestCode, String[] permissions, int[] grantResults) {
if (requestCode == 1) {
for (int i = 0; i < permissions.length; i++) {
if (grantResults[i] == PackageManager.PERMISSION_GRANTED) {
Toast.makeText(this, permissions[i] + " 권한이 승인됨.", Toast.LENGTH_LONG).show();
} else {
Toast.makeText(this, permissions[i] + " 권한이 승인되지 않음.", Toast.LENGTH_LONG).show();
}
}
}
}
//------------------권한 설정 끝------------------------
}
▲MainActivity.java
apply plugin: 'com.android.application'
android {
compileSdkVersion 29
buildToolsVersion "29.0.3"
defaultConfig {
applicationId "com.example.my34_captureintent"
minSdkVersion 16
targetSdkVersion 29
versionCode 1
versionName "1.0"
testInstrumentationRunner "androidx.test.runner.AndroidJUnitRunner"
}
buildTypes {
release {
minifyEnabled false
proguardFiles getDefaultProguardFile('proguard-android-optimize.txt'), 'proguard-rules.pro'
}
}
}
dependencies {
implementation fileTree(dir: 'libs', include: ['*.jar'])
implementation 'androidx.appcompat:appcompat:1.1.0'
implementation 'androidx.constraintlayout:constraintlayout:1.1.3'
testImplementation 'junit:junit:4.12'
androidTestImplementation 'androidx.test.ext:junit:1.1.1'
androidTestImplementation 'androidx.test.espresso:espresso-core:3.2.0'
}
▲build.gradle (:app)
반응형