其中思路主要來自www.stackoverflow.com
不多說,直接貼代碼,歡迎大家交流自己的方法~
1
/**
2
* 處理圖片的工具類.
3
*
4
*/
5
public class ImageTools {
6
7
/**
8
* 圖片去色,返回灰度圖片
9
* @param bmpOriginal 傳入的圖片
10
* @return 去色后的圖片
11
*/
12
public static Bitmap toGrayscale(Bitmap bmpOriginal) {
13
int width, height;
14
height = bmpOriginal.getHeight();
15
width = bmpOriginal.getWidth();
16
17
Bitmap bmpGrayscale = Bitmap.createBitmap(width, height, Bitmap.Config.RGB_565);
18
Canvas c = new Canvas(bmpGrayscale);
19
Paint paint = new Paint();
20
ColorMatrix cm = new ColorMatrix();
21
cm.setSaturation(0);
22
ColorMatrixColorFilter f = new ColorMatrixColorFilter(cm);
23
paint.setColorFilter(f);
24
c.drawBitmap(bmpOriginal, 0, 0, paint);
25
return bmpGrayscale;
26
}
27
28
29
/**
30
* 去色同時加圓角
31
* @param bmpOriginal 原圖
32
* @param pixels 圓角弧度
33
* @return 修改后的圖片
34
*/
35
public static Bitmap toGrayscale(Bitmap bmpOriginal, int pixels) {
36
return toRoundCorner(toGrayscale(bmpOriginal), pixels);
37
}
38
39
/**
40
* 把圖片變成圓角
41
* @param bitmap 需要修改的圖片
42
* @param pixels 圓角的弧度
43
* @return 圓角圖片
44
*/
45
public static Bitmap toRoundCorner(Bitmap bitmap, int pixels) {
46
47
Bitmap output = Bitmap.createBitmap(bitmap.getWidth(), bitmap
48
.getHeight(), Config.ARGB_8888);
49
Canvas canvas = new Canvas(output);
50
51
final int color = 0xff424242;
52
final Paint paint = new Paint();
53
final Rect rect = new Rect(0, 0, bitmap.getWidth(), bitmap.getHeight());
54
final RectF rectF = new RectF(rect);
55
final float roundPx = pixels;
56
57
paint.setAntiAlias(true);
58
canvas.drawARGB(0, 0, 0, 0);
59
paint.setColor(color);
60
canvas.drawRoundRect(rectF, roundPx, roundPx, paint);
61
62
paint.setXfermode(new PorterDuffXfermode(Mode.SRC_IN));
63
canvas.drawBitmap(bitmap, rect, rect, paint);
64
65
return output;
66
}
67
68
69
/**
70
* 使圓角功能支持BitampDrawable
71
* @param bitmapDrawable
72
* @param pixels
73
* @return
74
*/
75
public static BitmapDrawable toRoundCorner(BitmapDrawable bitmapDrawable, int pixels) {
76
Bitmap bitmap = bitmapDrawable.getBitmap();
77
bitmapDrawable = new BitmapDrawable(toRoundCorner(bitmap, pixels));
78
return bitmapDrawable;
79
}
80
}

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

38

39

40

41

42

43

44

45

46

47

48

49

50

51

52

53

54

55

56

57

58

59

60

61

62

63

64

65

66

67

68

69

70

71

72

73

74

75

76

77

78

79

80
