앱 프로세스 완전 종료하기

프로그래밍/Android (Java)|2020. 12. 4. 15:07
반응형

안드로이드 앱은 액티비티의 집합으로 이루어져 있다. 생명주기도 액티비티마다 제각각이고 시작시점과 종료시점도 때로는 불분명한 것이 안드로이드의 현 주소이다. 가장 단순한 시나리오인 앱의 종료에 있어서도 생각할 것이 많다. 액티비티만 종료를 한다면 앱의 프로세스가 살아 있어서 예기치 못한 부작용이 나타나기도 하고, 앱의 프로세스만 종료하면 Task List에 앱이 여전히 남아있는 등, 다양한 문제가 나타난다.

여러 가지 실험 결과 앱을 완전히 종료하기 위해서는 다음의 스텝을 따라야 한다는 것을 깨달아서 남겨본다. 태스크를 백그라운드로 이동 -> 액티비티 종료 -> Task List에서 지우기 -> 앱 프로세스 종료. 이 중 하나만 빠져도 예기치 못한 상황이 발생한다. 아직까지는 이 방법으로 문제가 없는데, 앞으로도 문제가 없길 바라면서...

앱을 완전 종료하는 방법:

moveTaskToBack(true);						// 태스크를 백그라운드로 이동
finishAndRemoveTask();						// 액티비티 종료 + 태스크 리스트에서 지우기
android.os.Process.killProcess(android.os.Process.myPid());	// 앱 프로세스 종료

혹시 태스크 리스트에 앱이 남기를 원하는 경우는 다음과 같이 하면 된다:

moveTaskToBack(true);
finish();
android.os.Process.killProcess(android.os.Process.myPid());

혹시 액티비티만 죽이고, 프로세스는 계속 실행하려면 다음과 같이 한다:

moveTaskToBack(true);
finishAndRemoveTask();

Fin.


[출처] https://calvinjmkim.tistory.com/21



반응형

댓글()

adb shell 을 통한 명령어 실행하기

프로그래밍/Android (Java)|2020. 11. 27. 09:41
반응형

public class MainActivity extends Activity {


    TextView tv;


    @Override

    protected void onCreate(Bundle savedInstanceState) {

        super.onCreate(savedInstanceState);

        setContentView(R.layout.activity_main);

        tv=(TextView)findViewById(R.id.cmdOp);

        tv.setText("Output :"+"\n"+runAsRoot());

    }


    public String runAsRoot() {


        try {

            // Executes the command.

            Process process = Runtime.getRuntime().exec("ls -l");


            // Reads stdout.

            // NOTE: You can write to stdin of the command using

            //       process.getOutputStream().

            BufferedReader reader = new BufferedReader(

                    new InputStreamReader(process.getInputStream()));


            int read;

            char[] buffer = new char[4096];

            StringBuffer output = new StringBuffer();

            while ((read = reader.read(buffer)) > 0) {

                output.append(buffer, 0, read);

            }

            reader.close();


            // Waits for the command to finish.

            process.waitFor();


            return output.toString();

        } catch (IOException e) {

            throw new RuntimeException(e);

        } catch (InterruptedException e) {

            throw new RuntimeException(e);

        }

    }

}



[출처] https://stackoverflow.com/questions/23608005/execute-shell-commands-and-get-output-in-a-textview


하지만 위와 같은 경우 ping 명령을 실행하면 (예 : -c 3 옵션으로 3번만 시도) 진행 과정이 실시간으로 출력되지 않고 시간이 걸려 모든 결과가 출력되면 화면에 보이게 됩니다.





반응형

댓글()

안드로이드 맥어드레스 (MAC Address) 정보 가져오기

프로그래밍/Android (Java)|2020. 11. 26. 15:42
반응형

아래 코드는 onCreateView 와 동일 레벨에 작성합니다.

그리고 onCreateView 내에서 String str = getMacAddr(); 과 같이 불러오면 끝.



public static String getMacAddr() {

    try {

        List<NetworkInterface> all = Collections.list(NetworkInterface.getNetworkInterfaces());

        for (NetworkInterface nif : all) {

            if (!nif.getName().equalsIgnoreCase("wlan0")) continue;


            byte[] macBytes = nif.getHardwareAddress();

            if (macBytes == null) {

                return "";

            }


            StringBuilder res1 = new StringBuilder();

            for (byte b : macBytes) {

                res1.append(String.format("%02X:",b));

            }


            if (res1.length() > 0) {

                res1.deleteCharAt(res1.length() - 1);

            }

            return res1.toString();

        }

    } catch (Exception ex) {

    }

    return "02:00:00:00:00:00";

}



[출처] https://stackoverflow.com/questions/11705906/programmatically-getting-the-mac-of-an-android-device

반응형

댓글()

ViewPager2 와 Fragments 를 이용한 탭메뉴 (AndroidX)

프로그래밍/Android (Java)|2020. 11. 26. 12:45
반응형

[출처]  http://www.tutorialsface.com/2020/07/android-tablayout-example-using-viewpager2-and-fragments-with-latest-android-api-androidx/


In this tutorial we are going to create 3 Tabs .Every tab have its own Fragment to control over screen. Also user can swipe between 3 tabs.

we are using AndroidX support Library , ViewPager2 and 3 different fragment & 3 different xml for layouts. And TabLayout for Tabs.

Layout Demonstration :

  • Checkout the following pic which explains the complete overview of layout architecture. Basically we are using ViewPager as main layout and for individual pager views we use Fragments. The tabs are part of Action Bar.

STEP 1: CREATING PROJECT

  • Let’s start with creating new project in android studio with package name com.example.manualSliding and class name MainActivity.java and its layout name is activity_main.xml.

STEP 2: ADDING DEPENDENCIES

  • open file Gradle Scripts/build.gradle(Module: app)
  • under dependencies{ } add this:
dependencies {
   
    //this is for ViewPager
    implementation "androidx.viewpager2:viewpager2:1.0.0"
    
    //this is for TabLayout
    implementation 'com.google.android.material:material:1.2.0-alpha01'

}
  • under compileOptions{} add this:
compileOptions {
sourceCompatibility JavaVersion.VERSION_1_8
targetCompatibility JavaVersion.VERSION_1_8
}

STEP 3: EDIT app/res/values/colors.xml

<?xml version="1.0" encoding="utf-8"?>
<resources>
<color name="colorPrimary">#0698bc</color>
<color name="colorPrimaryDark">#067d9b</color>
<color name="colorAccent">#FF4081</color>
<color name="frg1Color">#FEBE29</color>
<color name="frg2Color">#3395FF</color>
<color name="frg3Color">#F6437B</color>
<color name="txtBGColor">#9FA8DA</color>
<color name="white">#FFFFFF</color>
</resources>

STEP 4: EDIT app/res/values/styles.xml : we using this theme because TabLayout component works in this theme.

<resources>
    <!-- Base application theme. -->
    <style name="AppTheme" parent="Theme.MaterialComponents.Light.DarkActionBar">
        <!-- Customize your theme here. -->
        <item name="colorPrimary">@color/colorPrimary</item>
        <item name="colorPrimaryDark">@color/colorPrimaryDark</item>
        <item name="colorAccent">@color/colorAccent</item>
        <item name="windowActionBar">false</item>
        <item name="windowNoTitle">true</item>
    </style>

</resources>

STEP 6: CREATING LAYOUT FOR EACH FRAGMENT :

  • create new xml layout file under app/res/layout/first_frag.xml and add the below code:
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:id="@+id/cLayout1"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:background="@color/frg1Color">

<TextView
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="356dp"
android:text="sample text 1"
android:textSize="25dp"
android:textStyle="bold"
android:textColor="@color/white"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent" />

</androidx.constraintlayout.widget.ConstraintLayout>
  • create new xml layout file under app/res/layout/second_frag.xml and add the below code:
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:id="@+id/cLayout1"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:background="@color/frg2Color">

<TextView
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="356dp"
android:text="sample text 2"
android:textSize="25dp"
android:textStyle="bold"
android:textColor="@color/white"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent" />

</androidx.constraintlayout.widget.ConstraintLayout>
  • create new xml layout file under app/res/layout/third_frag.xml and add the below code:
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:id="@+id/cLayout1"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:background="@color/frg3Color">

<TextView
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginTop="356dp"
android:textSize="25dp"
android:textStyle="bold"
android:text="sample text 3"
android:textColor="@color/white"
app:layout_constraintEnd_toEndOf="parent"
app:layout_constraintHorizontal_bias="0.497"
app:layout_constraintStart_toStartOf="parent"
app:layout_constraintTop_toTopOf="parent" />

</androidx.constraintlayout.widget.ConstraintLayout>

STEP 7: Create FRAGMENT CLASS for each view layout:

  • create new java class under app/java/com.example.manualSliding/FirstFragment.java
package com.example.manualsliding;

import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;

import androidx.fragment.app.Fragment;

public class FirstFragment extends Fragment {

@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.first_frag, container, false);

TextView tv = (TextView) v.findViewById(R.id.textView1);
tv.setText(getArguments().getString("msg"));
return v;
}

public static FirstFragment newInstance(String text) {

FirstFragment f = new FirstFragment();
Bundle b = new Bundle();
b.putString("msg", text);

f.setArguments(b);

return f;
}
}
  • create new java class under app/java/com.example.manualSliding/SecondFragment.java
package com.example.manualsliding;

import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;

import androidx.fragment.app.Fragment;

public class SecondFragment extends Fragment {

@Override
public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
View v = inflater.inflate(R.layout.second_frag, container, false);

TextView tv = (TextView) v.findViewById(R.id.textView1);
tv.setText(getArguments().getString("msg"));

return v;
}

public static SecondFragment newInstance(String text) {

SecondFragment f = new SecondFragment();
Bundle b = new Bundle();
b.putString("msg", text);

f.setArguments(b);

return f;
}
}
  • create new java class under app/java/com.example.manualSliding/ThirdFragment.java
package com.example.manualsliding;


import android.os.Bundle;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;

import androidx.fragment.app.Fragment;

public class ThirdFragment extends Fragment {

    @Override
    public View onCreateView(LayoutInflater inflater, ViewGroup container, Bundle savedInstanceState) {
        View v = inflater.inflate(R.layout.third_frag, container, false);

        TextView tv = (TextView) v.findViewById(R.id.textView1);
        tv.setText(getArguments().getString("msg"));

        return v;
    }

    public static ThirdFragment newInstance(String text) {

        ThirdFragment  f = new ThirdFragment();
        Bundle b = new Bundle();
        b.putString("msg", text);

        f.setArguments(b);

        return f;
    }
}

STEP 8: app/res/layout/activity_main.xml : here we are creating TabLayout and ViewPager2.

<?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"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".MainActivity">

<com.google.android.material.tabs.TabLayout
android:id="@+id/tab_layout"
style="@style/Widget.MaterialComponents.TabLayout.Colored"
android:layout_width="match_parent"
android:layout_height="wrap_content" />

<androidx.viewpager2.widget.ViewPager2
android:id="@+id/mypager"
android:layout_width="match_parent"
android:layout_height="0dp"
android:layout_weight="1" />

</LinearLayout>

STEP 8: app/java/com.example.manualSliding/MainActivity.java

  • Here we use FragmentStateAdapter class for creating fragment and then we will assign it into Viewpager2.
  • create Strings array of tabs titles.
    • private String[] titles = new String[]{“Tab1”, “Tab2”, “Tab3”};
  • Inflating tab layout
    • TabLayout tabLayout =( TabLayout) findViewById(R.id.tab_layout);
  • Displaying tabs
    • new TabLayoutMediator(tabLayout, viewPager,(tab, position) -> tab.setText(titles[position])).attach();
  • complete code of MainActivity.java
package com.example.manualsliding;

import android.os.Bundle;
import androidx.appcompat.app.AppCompatActivity;
import androidx.fragment.app.Fragment;
import androidx.fragment.app.FragmentActivity;
import androidx.viewpager2.adapter.FragmentStateAdapter;
import androidx.viewpager2.widget.ViewPager2;
import com.google.android.material.tabs.TabLayout;
import com.google.android.material.tabs.TabLayoutMediator;

public class MainActivity extends AppCompatActivity {
private static final int NUM_PAGES = 3;
//The pager widget, which handles animation and allows swiping horizontally to access previous and next wizard steps.
 public static ViewPager2 viewPager;
// The pager adapter, which provides the pages to the view pager widget.
 private FragmentStateAdapter pagerAdapter;
// Arrey of strings FOR TABS TITLES
 private String[] titles = new String[]{"Tab1", "Tab2", "Tab3"};
// tab titles
 @Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
viewPager = findViewById(R.id.mypager);
pagerAdapter = new MyPagerAdapter(this);
viewPager.setAdapter(pagerAdapter);
//inflating tab layout
 TabLayout tabLayout =( TabLayout) findViewById(R.id.tab_layout);
//displaying tabs
 new TabLayoutMediator(tabLayout, viewPager,(tab, position) -> tab.setText(titles[position])).attach();
}

private class MyPagerAdapter extends FragmentStateAdapter {

public MyPagerAdapter(FragmentActivity fa) {
super(fa);
}


@Override
public Fragment createFragment(int pos) {
switch (pos) {
case 0: {
return FirstFragment.newInstance("fragment 1");
}
case 1: {

return SecondFragment.newInstance("fragment 2");
}
case 2: {
return ThirdFragment.newInstance("fragment 3");
}
default:
return FirstFragment.newInstance("fragment 1, Default");
}
}

@Override
public int getItemCount() {
return NUM_PAGES;
}
}


@Override
public void onBackPressed() {
if (viewPager.getCurrentItem() == 0) {
// If the user is currently looking at the first step, allow the system to handle the
 // Back button. This calls finish() on this activity and pops the back stack.d
 super.onBackPressed();
} else {
// Otherwise, select the previous step.
 viewPager.setCurrentItem(viewPager.getCurrentItem() - 1);
}
}

}


[출처]  http://www.tutorialsface.com/2020/07/android-tablayout-example-using-viewpager2-and-fragments-with-latest-android-api-androidx/


반응형

댓글()

리스트뷰 (listview) 구분선 제거

프로그래밍/Android (Java)|2020. 7. 31. 16:57
반응형

자동으로 구분선이 생기므로 아래 옵션을 이용해 없애줍니다.


<ListView

    android:id="@+id/lv"

    android:dividerHeight="0px"

    android:divider="#FFFFFF" />



반응형

댓글()

안드로이드 상태바 없애기 (시계, 알림 아이콘 부분)

프로그래밍/Android (Java)|2020. 7. 24. 09:42
반응형
안드로이드 상태바를 없애 화면을 좀 더 넓어 보이게 할 수 있습니다.

// 상태바 없애기 (안드로이드 상단 시간, 알림 아이콘 부분)
getWindow().setFlags(WindowManager.LayoutParams.FLAG_FULLSCREEN, 
WindowManager.LayoutParams.FLAG_FULLSCREEN);

setContentView(R.layout.activity_main); // 이것 전에 사용해야 함




반응형

댓글()

구글맵 마커 사이즈 조절하기

반응형

int height = 200;

int width = 200;

BitmapDrawable bitmapdraw=(BitmapDrawable)getResources().getDrawable(R.mipmap.marker);

Bitmap b=bitmapdraw.getBitmap();

Bitmap smallMarker = Bitmap.createScaledBitmap(b, width, height, false);


map.addMarker(new MarkerOptions()

                .position(POSITION)

                .title("Your title")

                .icon(BitmapDescriptorFactory.fromBitmap(smallMarker))

                );



[출처] https://stackoverflow.com/questions/14851641/change-marker-size-in-google-maps-api-v2 



반응형

댓글()

google map 에서 움직이는 마커 사용하기

반응형

[출처] https://exceptionshub.com/rotate-marker-and-move-animation-on-map-like-uber-android-2.html


아래 소스는 출력된 마커를 터치하면 목적지까지 부드럽게 마커가 이동하는 소스입니다.

(녹색 부분 제외하면 터치 없이 실행 됩니다)

어렵게 구했습니다.. ㅜ.ㅜ

목적에 맞게 수정해서 사용하면 됩니다.



1. onCreate 에서


SupportMapFragment mapFragment = (SupportMapFragment) getSupportFragmentManager().findFragmentById(R.id.map);

mapFragment.getMapAsync(this);



2. onMapReady 에서


@Override

    public void onMapReady(final GoogleMap googleMap) {


        mMap = googleMap;


        final LatLng SomePos = new LatLng(37.52487, 126.92723); // 시작 지점


        try {

            googleMap.setMapType(GoogleMap.MAP_TYPE_NORMAL); // 지도 타입

            googleMap.setMyLocationEnabled(true); // 내 위치 표시

            googleMap.setTrafficEnabled(false); // 교통정보 레이어

            googleMap.setIndoorEnabled(false); // 실내 지도 여부. 향후 normal 지도 유형에서만 지원 예정

            googleMap.setBuildingsEnabled(true); // 건물 표시

            googleMap.getUiSettings().setZoomControlsEnabled(true); // 줌 컨트롤러 표시 (확대, 축소)

            googleMap.moveCamera(CameraUpdateFactory.newLatLng(SomePos));

            googleMap.moveCamera(CameraUpdateFactory.newCameraPosition(new CameraPosition.Builder()

                    .target(googleMap.getCameraPosition().target)

                    .zoom(17)

                    .bearing(30) // 지도를 돌려서 보기 (각도)

                    .tilt(45) // 지도를 눞여서 보기 (각도)

                    .build()));


            // 마커 이미지 및 사이즈 변경

            int height = 200;

            int width = 200;

            BitmapDrawable bitmapdraw = (BitmapDrawable)getResources().getDrawable(R.drawable.img_marker);

            Bitmap b = bitmapdraw.getBitmap();

            Bitmap smallMarker = Bitmap.createScaledBitmap(b, width, height, false);


            final Marker myMarker = googleMap.addMarker(new MarkerOptions()

                    .position(SomePos)

                    .icon(BitmapDescriptorFactory.fromBitmap(smallMarker))

                    .title("Hello world"));


            googleMap.setOnMarkerClickListener(new GoogleMap.OnMarkerClickListener() {

                @Override

                public boolean onMarkerClick(Marker arg0) {


                    final LatLng startPosition = myMarker.getPosition();

                    final LatLng finalPosition = new LatLng(37.62487, 127.02723); // 끝 지점

                    final Handler handler = new Handler();

                    final long start = SystemClock.uptimeMillis();

                    // AccelerateDecelerateInterpolator 는 마커 이동 유형 (움직이는 스타일)

                    //final Interpolator interpolator = new AccelerateDecelerateInterpolator();

                    final float durationInMs = 4000; // 이동 시간 (ms)


                    handler.post(new Runnable() {

                        long elapsed;

                        float t;


                        @Override

                        public void run() {

                            // Calculate progress using interpolator

                            elapsed = SystemClock.uptimeMillis() - start;

                            t = elapsed / durationInMs;


                            LatLng currentPosition = new LatLng(

                                    startPosition.latitude * (1 - t) + finalPosition.latitude * t,

                                    startPosition.longitude * (1 - t) + finalPosition.longitude * t);


                            myMarker.setPosition(currentPosition);


                            // Repeat till progress is complete.

                            if (t < 1) {

                                // Post again 16ms later.

                                handler.postDelayed(this, 16);

                            }

                        }

                    });

                    return true;

                }

            });


        } catch (Exception e) {

            e.printStackTrace();

        }


    } 



반응형

댓글()

슬라이드 레이어 만들기 (AndroidSlidingUpPanel 라이브러리)

프로그래밍/Android (Java)|2020. 4. 28. 07:36
반응형

소스 출처 및 라이브러리 배포

https://github.com/umano/AndroidSlidingUpPanel



activity_main.xml


<com.sothree.slidinguppanel.SlidingUpPanelLayout

        xmlns:sothree="http://schemas.android.com/apk/res-auto"

        android:id="@+id/sliding_layout"

        android:layout_width="match_parent"

        android:layout_height="match_parent"

        android:gravity="bottom"

        sothree:umanoPanelHeight="68dp"

        sothree:umanoShadowHeight="4dp">


       <!-- 메인 화면 -->

        <TextView

            android:layout_width="match_parent"

            android:layout_height="match_parent"

            android:gravity="center"

            android:text="Main Content"

            android:textSize="16sp" />


       <!-- 슬라이드 레이어 부분 -->

        <TextView

            android:layout_width="match_parent"

            android:layout_height="match_parent"

            android:gravity="center|top"

            android:text="The Awesome Sliding Up Panel"

            android:textSize="16sp" />


    </com.sothree.slidinguppanel.SlidingUpPanelLayout> 



MainActivity.java


        // 슬라이드 레이어

        SlidingUpPanelLayout slidingUpPanelLayout = (SlidingUpPanelLayout) findViewById(R.id.sliding_layout);

        slidingUpPanelLayout.addPanelSlideListener(new SlidingUpPanelLayout.PanelSlideListener() {

            @Override

            public void onPanelSlide(View panel, float slideOffset) {


            }


            @Override

            public void onPanelStateChanged(View panel, SlidingUpPanelLayout.PanelState previousState, SlidingUpPanelLayout.PanelState newState) {

            //Toast.makeText(getApplicationContext(),newState.name().toString(),Toast.LENGTH_SHORT).show();


                if(newState.name().toString().equalsIgnoreCase("Collapsed")){


                    // 닫혔을때 처리하는 부분


                }else if(newState.name().equalsIgnoreCase("Expanded")){


                    // 열렸을때 처리하는 부분


                }


            }

        }); 



반응형

댓글()

SQLite 에서 중복값 있으면 insert 건너뛰기

프로그래밍/Android (Java)|2020. 1. 31. 16:25
반응형

방법1

INSERT OR IGNORE INTO favorite (no) VALUES 'str';



방법2

INSERT INTO favorite (no) SELECT 'str' WHERE NOT EXISTS (SELECT 1 FROM favorite WHERE no='str');



* str 은 데이터 입니다.




반응형

댓글()

그라데이션 테두리 있는 버튼 만들기

프로그래밍/Android (Java)|2020. 1. 28. 12:14
반응형

drawable/bg.xml


<layer-list xmlns:android="http://schemas.android.com/apk/res/android" >


    <item>

        <shape android:shape="rectangle" >

            <gradient

                android:angle="45"

                android:centerColor="@android:color/holo_blue_bright"

                android:endColor="@android:color/holo_red_light"

                android:startColor="@android:color/holo_green_light" />

            <corners android:radius="7dp" />

        </shape>

    </item>


    <item

        android:bottom="5dp"

        android:left="5dp"

        android:right="5dp"

        android:top="5dp">

        <shape android:shape="rectangle" >

            <solid android:color="#ffffff" />

            <corners android:radius="7dp" />

        </shape>

    </item>


</layer-list> 



[출처] https://stackoverflow.com/questions/20870853/android-shape-border-with-gradient

반응형

댓글()