https://www.jqueryscript.net/mobile/jQuery-Plugin-For-Additional-Touch-Events-On-Mobile-Devices.html

 

jQuery Plugin For Additional Touch Events On Mobile Devices

Touch Events is a jQuery plugin which provides additional touch events & callback functions on mobile devices.

www.jqueryscript.net

기존 jquery 에서는 모바일의 tap기능 구현을 하드코딩으로 구현하였는데

 

jquery모바일 event만 모아서 구현가능함

 

ex)

 

$(selector).on("doubletap",function(event){

     alert("두번탭 확인");

});

 

구현가능

반응형

환경 

서버 : windows server 2012

apache 2.2

php 5.4

 

ssl 적용후 http와 https를 혼용해서 쓰고 www 와 www가 붙지않은 도메인을 혼용해서 사용해왔다.

 

하지만 단일화 해야할것같아 이것저것 내용을 찾다 정리해본다.

 

일단 우선 apache 의 httpd.conf 에서 

 

 

LoadModule rewrite_module modules/mod_rewrite.so

 

가 주석이 해제되어있어야한다.(만약 주석이 되어있다면 '#' 제거)

 

이후 

 

AllowOverride None 부분을 All 로 변경 한다.

 

 

부분을 확인하여 준다. 만약 .htaccess 부분이 없거나 다른 이름으로 되어있으면 위와같이 변경해준다.

 

그런후 htdocs 상위 root디렉토리에 

 

.htaccess 파일을 메모장으로 만든후 

 

아래와같이 입력해준다. ( 만약 .htaccess 파일이 있으면 밑에 이어붙이면된다.)

 

RewriteEngine On
RewriteCond %{HTTPS} off [OR]
RewriteCond %{HTTP_HOST} ^www\. [NC]
RewriteCond %{HTTP_HOST} ^(?:www\.)?(.+)$ [NC]
RewriteRule ^ https://%1%{REQUEST_URI} [L,NE,R=301]

 

이후 apache 를 재시작 해주면 적용된다..

 

http://www.example.com 

https://www.example.com 

http://example.com  

모두 https://example.com 으로 리다이렉트 된다.

반응형

MySql 에서 오늘 날짜만 볼때 이전까지는 기간을 주어서 검색했다.

 

예를들어 

 

ex ) select * from 테이블 Where date_format(create_date,'%Y%m%d') = date_format(NOW(),'%Y%m%d')

 

이렇게 검색을 하게되면 쿼리 질의 중에 컬럼의 값들을 date_format()함수로 한번더 변형을 하는 과정 때문에 질의 시간이 꽤나 길게 나왔다.

 

그래서 조금더 쉽고 간결하게 데이터를 뽑을 방법을 찾다가 찾게 된게 curdate(), CURRENT_DATE() 이다.

 

select * from 테이블 where 컬럼명 > CURRENT_DATE();

 

select * from 테이블 where 컬럼명 > curdate();

 

이렇게 두가지를 사용할수있다.

 

단 위의 두가지를 사용할 경우 컬럼명이 datetime형태 여야 활용 가능하다.

 

아래는 두가지 활용하여 쿼리 질의했을때 질의문의 응답시간 비교다.

 

 

 

 

반응형

'코딩쟁이 > mysql' 카테고리의 다른 글

[MySql] REGEXP  (0) 2018.12.10

 

현재 서비스 중인 앱에서 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();
            }

        }

 

반응형

https://blog.naver.com/chandong83/220880580355

 

[그랜저 HG]엑셀 페달 감지 후 12V 출력 프로젝트

친구의 요청으로 진행되는 프로젝트이다. 1차적으로 OBD 단자에서 CAN 데이터를 읽어 봤다. 작업은 ...

blog.naver.com

 

반응형

아두이노 + MCP2515 을 이용해서 차량의 CAN 통신 데이터를 읽어오는 작업을 하고있다.

 

먼저 아두이노는 가장저렴하고 쉽게 접할수 있는 Arduino Uno 를 사용했고

 

Mcp2515 칩이 탑제된 CAN-BUS Shield V1.2 를 활용했다.(현재 V2.0까지 나와있는것으로 보임)

 

기본적인 아두이노 셋팅을 완료한후 

 

Mcp 라이브러리를 다운로드 받아 집어넣는다.

 

https://github.com/coryjfowler/MCP_CAN_lib

 

coryjfowler/MCP_CAN_lib

MCP_CAN Library. Contribute to coryjfowler/MCP_CAN_lib development by creating an account on GitHub.

github.com

예제(Can receive)를 실행하였더니 캔데이터가 올라간다.

 

각 데이터의 ID 값과 데이터를 테이블화해서 필터링하면 각데이터값을 모니터링할수 있을것같다.

 

 

 

 

반응형

'장난감 > 아두이노(Arduino)' 카테고리의 다른 글

아두이노 참고 블로그  (0) 2019.09.30

+ Recent posts