현재 서비스 중인 앱에서 wifi를 활용하여 출결관리를 하고있다.

 

wifi를 잡았을때만 출결관리가 되기때문에 와이파이가 도달하지 않는 구역에서는 앱으로 출결관리를 하기 어렵다.

 

하지만 비콘(beacon)을 활용하면 비콘을 회사내의 여러군대(출입구,탈의실,화잘실..?) 에 설치해 두면 

 

어느곳에서든 출결체크가 가능할것같아 테스트한다.

 

먼저 테스트 환경은 아래와같다.

 

Tool : Android Studio

Gradle Version : 5.4.1

Min sdk : 18

Targetsdk : 29

beacon library : alt-beacon(https://altbeacon.github.io/android-beacon-library/)

 

비콘은 최저가 아무거나 사면된다...

(단.. 너무 싼거는 의심해보아야함. 처음 너무싼거 (1+1)샀다가 비콘 내부 세팅 못함. 제조업체 망해서 더이상 제공불가)

 

대부분의 비콘은

 

Beacon SET

Beacon SET(https://play.google.com/store/apps/details?id=com.minnw.beaconset&hl=ko)

 

의 어플로 셋팅가능하나 간혹 제조사에서 막아놓은경우 제조사에서 제공하는 어플로 셋팅해야 됨.(아이폰 동일)

 

alt-beacon 라이브러리 사용 하여 테스트

 

dependencies {
    implementation fileTree(dir: 'libs', include: ['*.jar'])
    implementation 'androidx.appcompat:appcompat:1.0.2'
    implementation 'androidx.constraintlayout:constraintlayout:1.1.3'
    testImplementation 'junit:junit:4.12'
    androidTestImplementation 'androidx.test.ext:junit:1.1.0'
    androidTestImplementation 'androidx.test.espresso:espresso-core:3.2.0'
    implementation 'org.altbeacon:android-beacon-library:2.+'//alt-beacon library
}

build.gradle 에서 dependencies 내부 'org.altbeacon:android-beacon-librarary:2.+' 삽입

 

테스트 버전이므로 MainActivity 에 모든 기능 삽입(추후 필요에따라 모듈화하여 변경예정)

 

package com.example.beacontest;

import androidx.appcompat.app.AlertDialog;
import androidx.appcompat.app.AppCompatActivity;

import android.Manifest;
import android.content.DialogInterface;
import android.content.pm.PackageManager;
import android.os.Build;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.os.RemoteException;
import android.util.Log;
import android.view.View;
import android.widget.TextView;

import org.altbeacon.beacon.Beacon;
import org.altbeacon.beacon.BeaconConsumer;
import org.altbeacon.beacon.BeaconManager;
import org.altbeacon.beacon.BeaconParser;
import org.altbeacon.beacon.RangeNotifier;
import org.altbeacon.beacon.Region;

import java.util.ArrayList;
import java.util.Collection;
import java.util.List;

public class MainActivity extends AppCompatActivity implements BeaconConsumer {

    private static final String TAG = "Beacontest";
    private BeaconManager beaconManager;

    private List<Beacon> beaconList = new ArrayList<>();
    TextView textView;

    private static final int PERMISSION_REQUEST_COARSE_LOCATION = 1;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
		//비콘 매니저 생성,
        beaconManager = BeaconManager.getInstanceForApplication(this);
        textView = (TextView) findViewById(R.id.Textview);//비콘검색후 검색내용 뿌려주기위한 textview 

		//비콘 매니저에서 layout 설정 'm:2-3=0215,i:4-19,i:20-21,i:22-23,p:24-24,d:25-25'
        beaconManager.getBeaconParsers().add(new BeaconParser().setBeaconLayout("m:2-3=0215,i:4-19,i:20-21,i:22-23,p:24-24,d:25-25"));
		
        //beaconManager 설정 bind
        beaconManager.bind(this);
        
		//beacon 을 활용하려면 블루투스 권한획득(Andoird M버전 이상)
        if(Build.VERSION.SDK_INT >= Build.VERSION_CODES.M){
            if(this.checkSelfPermission(Manifest.permission.ACCESS_COARSE_LOCATION)!=PackageManager.PERMISSION_GRANTED){
                final AlertDialog.Builder builder = new AlertDialog.Builder(this);
                builder.setTitle("This app needs location access" );
                builder.setMessage("Please grant location access so this app can detect beacons.");
                builder.setPositiveButton(android.R.string.ok,null);
                builder.setOnDismissListener(new DialogInterface.OnDismissListener() {
                    @Override
                    public void onDismiss(DialogInterface dialogInterface) {
                        requestPermissions(new String[]{Manifest.permission.ACCESS_COARSE_LOCATION},PERMISSION_REQUEST_COARSE_LOCATION);
                    }
                });
                builder.show();
            }
        }
    }

    @Override
    protected void onDestroy() {
        super.onDestroy();
        beaconManager.unbind(this);
    }
    @Override
    public void onBeaconServiceConnect() {
        beaconManager.addRangeNotifier(new RangeNotifier() {
            @Override
            // 비콘이 감지되면 해당 함수가 호출된다. Collection<Beacon> beacons에는 감지된 비콘의 리스트가,
            // region에는 비콘들에 대응하는 Region 객체가 들어온다.
            public void didRangeBeaconsInRegion(Collection<Beacon> beacons, Region region) {
                if (beacons.size() > 0) {
                    beaconList.clear();
                    for (Beacon beacon : beacons) {
                        beaconList.add(beacon);
                    }
                }
            }

        });

        try {
            beaconManager.startRangingBeaconsInRegion(new Region("myRangingUniqueId", null, null, null));
        } catch (RemoteException e) {   }
    }


    // 버튼이 클릭되면 textView 에 비콘들의 정보를 뿌린다.
    public void OnButtonClicked(View view){
        // 아래에 있는 handleMessage를 부르는 함수. 맨 처음에는 0초간격이지만 한번 호출되고 나면
        // 1초마다 불러온다.
        handler.sendEmptyMessage(0);
    }
    Handler handler = new Handler() {
        public void handleMessage(Message msg) {
            textView.setText("");


            // 비콘의 아이디와 거리를 측정하여 textView에 넣는다.
            for(Beacon beacon : beaconList){
                String uuid=beacon.getId1().toString(); //beacon uuid
                int major = beacon.getId2().toInt(); //beacon major 
                int minor = beacon.getId3().toInt();// beacon minor
                String address = beacon.getBluetoothAddress();
                if(major==40001){
                //beacon 의 식별을 위하여 major값으로 확인
                //이곳에 필요한 기능 구현
                    //textView.append("ID 1 : " + beacon.getId2() + " / " + "Distance : " + Double.parseDouble(String.format("%.3f", beacon.getDistance())) + "m\n");
                    textView.append("출근하셔야되는데...\n");
                    textView.append("Beacon Bluetooth Id : "+address+"\n");
                    textView.append("Beacon UUID : "+uuid+"\n");
                    
                }else{
                //나머지 비콘검색
					textView.append("ID 2: " + beacon.getId2() + " / " + "Distance : " + Double.parseDouble(String.format("%.3f", beacon.getDistance())) + "m\n");
                }

            }

            // 자기 자신을 1초마다 호출
            handler.sendEmptyMessageDelayed(0, 1000);
        }
    };
	
    @Override
    public void onRequestPermissionsResult(int requestCode,
                                           String permissions[], int[] grantResults) {
        switch (requestCode) {
            case PERMISSION_REQUEST_COARSE_LOCATION: {
                if (grantResults[0] == PackageManager.PERMISSION_GRANTED) {
                    Log.d(TAG, "coarse location permission granted");
                } else {
                    final AlertDialog.Builder builder = new AlertDialog.Builder(this);
                    builder.setTitle("Functionality limited");
                    builder.setMessage("Since location access has not been granted, this app will not be able to discover beacons when in the background.");
                    builder.setPositiveButton(android.R.string.ok, null);
                    builder.setOnDismissListener(new DialogInterface.OnDismissListener() {

                        @Override
                        public void onDismiss(DialogInterface dialog) {
                        }

                    });
                    builder.show();
                }
                return;
            }
        }
    }
}

 

 

해당소스 휴대폰에 빌드후 실행하면 아래와같은 결과값을 얻을수있다.

 

비콘 테스트는 꼭 휴대폰에서 해야함.

 

에뮬에서는 비콘 테스트가 되지않음(블루투스 때문인것 같음)

 

 

 

 

 

 

 

반응형

언젠가 부터 안드로이드 O 오레오 버전 이후 휴대폰에서 푸시가 안오기 시작한다.

 

테스트

- FCM 콘솔에서 메시지 전송 (수신 OK)

- push https://fcm.googleapis.com/fcm/send로 POST 전송(수신X)

 

원인 : GCM 에서 FCM 으로 바뀌면서 json 형식에 Notification 영역이 생김

 

약 1개월전 앱이 포그라운드일때 푸시 안오는 현상으로 코드 수정후 업데이트함.

 

그때 수정한 코드가 문제....

 

다시 처음부터 시작..

 

기존 GCM 관련 코드 전부 걷어내고 FCM 으로 코드작성

 

.json파일 연동 부터 시작.

 

(포그라운드) 안드로이드에서 푸시 메시지를 받으면 FirebaseMessagingService.java 의 OnMessageReceived를 타게됨

 

(백그라운드) Logcat 에서 로그가 안찍힘(그런데 푸시알림은 옴..)

 

구글링 해서 찾은 결과.

 

백그라운드에서는 FCM 으로 전송할때  json 에서 Notification 의 title 과 body가 있으면 안드로이드에서 직접 처리해서 푸시알림을 띄우는것 같음

 

안드로이드 Oreo이상에서는 아래 코드 필수

 

if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {


            NotificationChannel notificationChannel = new NotificationChannel(id, name, NotificationManager.IMPORTANCE_DEFAULT);

            // Configure the notification channel.
            notificationChannel.setDescription(description);

            notificationChannel.enableLights(true);
            // Sets the notification light color for notifications posted to this
            // channel, if the device supports this feature.
            notificationChannel.setLightColor(Color.RED);

            notificationChannel.enableVibration(true);
            notificationChannel.setVibrationPattern(vibraPattern);

            notificationManager.createNotificationChannel(notificationChannel);
        }

Oreo이상 버전을 체크한후 채널을 생성해 주어야함.

 

채널을 생성해주지 않으면 앱에서는 푸시알림을 받지않음 (맨처음에 나타났던 문제... Oreo이상버전에서 푸시알림이 오지않는 문제)

 

 

코드 수정후 문제점.

 

- Developer warning for package "패키지명" Failed to post notificcation on channel "null" See log for more detail

 

에러 발생 

 

채널을 생성해주어야 없어지는 에러라는데 채널을 생성해 주었는데도 계속 나타난다.

 

무엇때문에 나타나는 에러인지는 확인이 필요하다.

 

 

 

 

 

 

 

 

 

 

 

반응형
public void onMessageReceived(RemoteMessage remoteMessage) {
        // TODO(developer): Handle FCM messages here.
        // Not getting messages here? See why this may be: https://goo.gl/39bRNJ
        Log.d(TAG, "From: " + remoteMessage.getFrom());

        // Check if message contains a data payload.
        if (remoteMessage.getData().size() > 0) {
            Log.d(TAG, "Message data payload: " + remoteMessage.getData());

            HashMap hash_map=new HashMap();
            hash_map.putAll(remoteMessage.getData());
//            sendNotification(context,remoteMessage.getData());
            PushNotificationManager ntify=new PushNotificationManager(getBaseContext(),hash_map);

            //푸시울렸을때 화면깨우기.
            PowerManager pm = (PowerManager) getSystemService(Context.POWER_SERVICE );
            @SuppressLint("InvalidWakeLockTag")
            PowerManager.WakeLock wakeLock = pm.newWakeLock( PowerManager.SCREEN_DIM_WAKE_LOCK | PowerManager.ACQUIRE_CAUSES_WAKEUP, "TAG" );
            wakeLock.acquire(3000);


            if (/* Check if data needs to be processed by long running job */ true) {
                // For long-running tasks (10 seconds or more) use Firebase Job Dispatcher.
                scheduleJob();
            } else {
                // Handle message within 10 seconds
                handleNow();
            }

        }

 

반응형
// Set the web view client
main_webview.setWebViewClient(new WebViewClient() {
// For api level bellow 24
@Override
public boolean shouldOverrideUrlLoading(WebView view, String url) {
if (url.startsWith("http")) {
// Return false means, web view will handle the link
return false;
} else if (url.startsWith("tel:")) {
// Handle the tel: link
handleTelLink(url);

// Return true means, leave the current web view and handle the url itself
return true;
}

return false;
}


// From api level 24
@Override
public boolean shouldOverrideUrlLoading(WebView view, WebResourceRequest request) {
// Get the tel: url
String url = request.getUrl().toString();

if (url.startsWith("http")) {
// Return false means, web view will handle the link
return false;
} else if (url.startsWith("tel:")) {
// Handle the tel: link
handleTelLink(url);

// Return true means, leave the current web view and handle the url itself
return true;
}
return false;
}
});


api level 24 이상은 shouldOverrideUrlLoading(WebView view, WebResourceRequest request)


미만은 shouldOverrideUrlLoading(WebView view, String url)


사용 

반응형

+ Recent posts