当前位置: 首页 > news >正文

Android -- [SelfView] 自定义弹窗式颜色选择器

Android – [SelfView] 自定义弹窗式颜色选择器

PS:
1. 弹框式显示;
2. 支持透明度设置;
3. 支持拖动控件选择颜色;
4. 支持 ARGB | HEX 数值填写预览颜色并返回;
5. 输出支持Hex 和 Int 两种格式;

效果

在这里插入图片描述

在这里插入图片描述

使用方法:

//activity 内
//1. 声明
private VirgoColorBoard colorBoard;//2. 初始化
colorBoard = new VirgoColorBoard(this);//用content会报错
//监听回调: 
//a. Avtivity -> implements VirgoColorBoard.ColorCallback
//b. 直接 new VirgoColorBoard.ColorCallback(){...}
colorBoard.setCallback(this);
//弹窗宽、高、透明属性设置,按需
colorBoard.setDialogAlpha(1);
colorBoard.setDialogWidth(768);
colorBoard.setDialogHeight(660);//回调口执行自定义处理@Override
public void onPick(int color) {//do something
}@Override
public void onPickStr(String hex) {//do something
}

=====================================

码源:

1. VirgoColorBoard.java(弹框式颜色画板)
import android.app.Dialog;
import android.content.Context;
import android.graphics.Color;
import android.os.Handler;
import android.os.Looper;
import android.os.Message;
import android.text.Editable;
import android.text.TextUtils;
import android.text.TextWatcher;
import android.view.Gravity;
import android.view.KeyEvent;
import android.view.LayoutInflater;
import android.view.View;
import android.view.Window;
import android.view.WindowManager;
import android.view.inputmethod.EditorInfo;
import android.view.inputmethod.InputMethodManager;
import android.widget.EditText;
import android.widget.TextView;import androidx.annotation.ColorInt;
import androidx.annotation.NonNull;import com.nepalese.harinetest.R;/*** @author nepalese on 2024/12/03 08:43* @usage 弹框式颜色画板*/
public class VirgoColorBoard extends Dialog {private static final String TAG = "VirgoColorBoard";private static final int MSG_UPDATE_UI = 1;private static final int MIN_VALUE = 0;private static final int MAX_VALUE = 255;private ColorCallback callback;//结果回调private VirgoSVPicker svPicker;//饱和度、亮度控制器private VirgoHPicker hPicker;//色相控制器private VirgoAPicker aPicker;//透明度控制器private View preview;//选中颜色预览private EditText etA, etR, etG, etB, etColor;private int mColor;//传入的颜色private int curAlpha;//当前透明度private int dialogWidth = -1;//默认为屏幕宽度private int dialogHeight = 720;//默认弹框高度private float dialogAlpha = 1f;//默认弹框透明度private final float[] hsv = new float[3];public VirgoColorBoard(@NonNull Context context) {super(context, R.style.VirgoColorBoard);this.init(context);}public VirgoColorBoard(@NonNull Context context, int themeResId) {super(context, themeResId);this.init(context);}private void init(Context context) {this.mColor = Color.RED;//默认this.curAlpha = MAX_VALUE;LayoutInflater mLayoutInflater = LayoutInflater.from(context);View view = mLayoutInflater.inflate(R.layout.layout_color_board, null);svPicker = view.findViewById(R.id.svPicker);hPicker = view.findViewById(R.id.hPicker);aPicker = view.findViewById(R.id.aPicker);preview = view.findViewById(R.id.colorPreview);etA = view.findViewById(R.id.etA);etR = view.findViewById(R.id.etR);etG = view.findViewById(R.id.etG);etB = view.findViewById(R.id.etB);etColor = view.findViewById(R.id.etColor);this.setContentView(view);this.setListener();}private void setLayout() {Window dialogWindow = this.getWindow();WindowManager.LayoutParams lp = dialogWindow.getAttributes();dialogWindow.setGravity(Gravity.CENTER);if (dialogWidth > 0) {lp.width = dialogWidth; // 宽度}lp.height = dialogHeight; // 高度lp.alpha = dialogAlpha; // 透明度dialogWindow.setAttributes(lp);}private void initData() {setLayout();initColor(true);}private void initColor(boolean edit) {Color.colorToHSV(mColor, hsv);curAlpha = Color.alpha(mColor);svPicker.setmH(hsv[0]);svPicker.setSV(hsv[1], hsv[2]);hPicker.setmH(hsv[0]);aPicker.setmH(hsv[0]);aPicker.setA(curAlpha);preview.setBackgroundColor(mColor);if(edit){etColor.setText(Integer.toHexString(mColor));}extraARGB(mColor);}private void setListener() {svPicker.setCallback(svCallBack);hPicker.setCallback(hCallBack);aPicker.setCallback(aCallBack);addTextListener();etColor.setOnEditorActionListener(new TextView.OnEditorActionListener() {@Overridepublic boolean onEditorAction(TextView v, int actionId, KeyEvent event) {if (actionId == EditorInfo.IME_ACTION_SEARCH || (event != null && (event.getKeyCode() == KeyEvent.KEYCODE_ENTER))) {//收起键盘((InputMethodManager) etColor.getContext().getSystemService(Context.INPUT_METHOD_SERVICE)).hideSoftInputFromWindow(etColor.getWindowToken(), InputMethodManager.HIDE_NOT_ALWAYS);//要执行任务(这里显示输入的内容)String input = etColor.getText().toString();if (input.length() == 6 || input.length() == 8) {for (Character c : input.toCharArray()) {if (c > 'f') {return true;}}mColor = Color.parseColor("#" + input);initColor(false);if (callback != null) {callback.onPick(mColor);callback.onPickStr("#" + input);}}return true;}return false;}});}//防止edittext settext 与 onTextChanged 发生冲突,在赋值前取消监听,之后重新监听;private void addTextListener() {etA.addTextChangedListener(watcherA);etR.addTextChangedListener(watcherR);etG.addTextChangedListener(watcherG);etB.addTextChangedListener(watcherB);}private void removeTextListener() {etA.removeTextChangedListener(watcherA);etR.removeTextChangedListener(watcherR);etG.removeTextChangedListener(watcherG);etB.removeTextChangedListener(watcherB);}//当a/r/g/b输入值大于255或小于0时,强制重置为255或0;private void resetInputVlue(EditText et, TextWatcher watcher, int value) {et.removeTextChangedListener(watcher);if (value > MAX_VALUE) {et.setText(String.valueOf(MAX_VALUE));} else {et.setText(String.valueOf(MIN_VALUE));}et.addTextChangedListener(watcher);}//手动调整r/g/b值后,更新需要更改的值private void updateWithInput() {Color.colorToHSV(mColor, hsv);svPicker.setmH(hsv[0]);svPicker.setSV(hsv[1], hsv[2]);hPicker.setmH(hsv[0]);aPicker.setmH(hsv[0]);updateSelectColor();}//更新选中的颜色private void updateSelectColor() {if (callback != null) {callback.onPick(mColor);callback.onPickStr("#" + Integer.toHexString(mColor));}preview.setBackgroundColor(mColor);etColor.setText(Integer.toHexString(mColor));}private final TextWatcher watcherA = new TextWatcher() {@Overridepublic void beforeTextChanged(CharSequence s, int start, int count, int after) {}@Overridepublic void onTextChanged(CharSequence s, int start, int before, int count) {if (TextUtils.isEmpty(s)) return;int alph = Integer.parseInt(s.toString());if (alph <= MAX_VALUE && alph >= MIN_VALUE) {aPicker.setA(alph);curAlpha = alph;mColor = (alph << 24) | (mColor & 0x00ff0000) | (mColor & 0x0000ff00) | (mColor & 0x000000ff);updateSelectColor();} else {resetInputVlue(etA, this, alph);}}@Overridepublic void afterTextChanged(Editable s) {}};private final TextWatcher watcherR = new TextWatcher() {@Overridepublic void beforeTextChanged(CharSequence s, int start, int count, int after) {}@Overridepublic void onTextChanged(CharSequence s, int start, int before, int count) {if (TextUtils.isEmpty(s)) return;int r = Integer.parseInt(s.toString());if (r <= MAX_VALUE && r >= MIN_VALUE) {mColor = (mColor & 0xff000000) | (r & 0x00ff0000) | (mColor & 0x0000ff00) | (mColor & 0x000000ff);updateWithInput();} else {resetInputVlue(etR, this, r);}}@Overridepublic void afterTextChanged(Editable s) {}};private final TextWatcher watcherG = new TextWatcher() {@Overridepublic void beforeTextChanged(CharSequence s, int start, int count, int after) {}@Overridepublic void onTextChanged(CharSequence s, int start, int before, int count) {if (TextUtils.isEmpty(s)) return;int g = Integer.parseInt(s.toString());if (g <= MAX_VALUE && g >= MIN_VALUE) {mColor = (mColor & 0xff000000) | (mColor & 0x00ff0000) | (g & 0x0000ff00) | (mColor & 0x000000ff);updateWithInput();} else {resetInputVlue(etG, this, g);}}@Overridepublic void afterTextChanged(Editable s) {}};private final TextWatcher watcherB = new TextWatcher() {@Overridepublic void beforeTextChanged(CharSequence s, int start, int count, int after) {}@Overridepublic void onTextChanged(CharSequence s, int start, int before, int count) {if (TextUtils.isEmpty(s)) return;int b = Integer.parseInt(s.toString());if (b <= MAX_VALUE && b >= MIN_VALUE) {mColor = (mColor & 0xff000000) | (mColor & 0x00ff0000) | (mColor & 0x0000ff00) | (b & 0x000000ff);updateWithInput();} else {resetInputVlue(etB, this, b);}}@Overridepublic void afterTextChanged(Editable s) {}};//饱和度、亮度回调private final VirgoSelectCy.PointCallback svCallBack = new VirgoSelectCy.PointCallback() {@Overridepublic void onUpdateSV(float s, float v) {hsv[1] = s;hsv[2] = v;mColor = Color.HSVToColor(hsv);//透明度不变mColor = (curAlpha << 24) | (mColor & 0x00ff0000) | (mColor & 0x0000ff00) | (mColor & 0x000000ff);handler.sendEmptyMessage(MSG_UPDATE_UI);}};//色相回调private final VirgoSelectRect.RectCallback hCallBack = new VirgoSelectRect.RectCallback() {@Overridepublic void onProgress(float progress) {hsv[0] = progress;svPicker.setmH(progress);aPicker.setmH(progress);mColor = Color.HSVToColor(hsv);//透明度不变mColor = (curAlpha << 24) | (mColor & 0x00ff0000) | (mColor & 0x0000ff00) | (mColor & 0x000000ff);handler.sendEmptyMessage(MSG_UPDATE_UI);}};//透明度回调private final VirgoSelectRect.RectCallback aCallBack = new VirgoSelectRect.RectCallback() {@Overridepublic void onProgress(float progress) {int alph = (int) progress;curAlpha = alph;mColor = (alph << 24) | (mColor & 0x00ff0000) | (mColor & 0x0000ff00) | (mColor & 0x000000ff);handler.sendEmptyMessage(MSG_UPDATE_UI);}};private final Handler handler = new Handler(Looper.myLooper()) {@Overridepublic void handleMessage(@NonNull Message msg) {super.handleMessage(msg);if (msg.what == MSG_UPDATE_UI) {updateUI();}}};//选择变化后相应数据改变private void updateUI() {updateSelectColor();extraARGB(mColor);}//提取某一颜色的a/r/g/b和hex值private void extraARGB(int color) {removeTextListener();int a = color >> 24 & 0xff;int r = color >> 16 & 0xff;int g = color >> 8 & 0xff;int b = color & 0xff;etA.setText(String.valueOf(a));etR.setText(String.valueOf(r));etG.setText(String.valueOf(g));etB.setText(String.valueOf(b));addTextListener();}/@Overridepublic void show() {super.show();initData();}@Overridepublic void dismiss() {super.dismiss();}//结果回调public interface ColorCallback {//intvoid onPick(@ColorInt int color);//十六进制void onPickStr(String hex);}public void setCallback(ColorCallback callback) {this.callback = callback;}/*** 颜色赋值*/public void setmColor(@ColorInt int mColor) {this.mColor = mColor;curAlpha = Color.alpha(mColor);}/*** 十六进制颜色*/public void setmColor(String color) {try {this.mColor = Color.parseColor(color);curAlpha = Color.alpha(mColor);} catch (Exception e) {//}}/*** 设置弹框宽度*/public void setDialogWidth(int dialogWidth) {this.dialogWidth = dialogWidth;}/*** 设置弹窗高度*/public void setDialogHeight(int dialogHeight) {this.dialogHeight = dialogHeight;}/*** 设置弹窗透明度*/public void setDialogAlpha(float dialogAlpha) {this.dialogAlpha = dialogAlpha;}

R.style.VirgoColorBoard (themes.xml)

 <style name="VirgoColorBoard" parent="@android:style/Theme.Dialog"><item name="android:windowIsFloating">true</item><item name="android:windowBackground">@android:color/transparent</item><item name="android:windowNoTitle">true</item><item name="android:background">@color/colorTransparent</item><item name="android:backgroundDimEnabled">true</item></style>

layout_color_board.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:background="@drawable/frame_color_board"android:orientation="vertical"><LinearLayoutandroid:layout_width="match_parent"android:layout_height="0dp"android:layout_weight="1"><com.nepalese.harinetest.player.color.VirgoSVPickerandroid:id="@+id/svPicker"android:layout_width="match_parent"android:layout_height="match_parent" /></LinearLayout><LinearLayoutandroid:layout_width="match_parent"android:layout_height="wrap_content"android:padding="10dp"android:orientation="vertical"><LinearLayoutandroid:layout_width="match_parent"android:layout_height="wrap_content"android:layout_marginBottom="10dp"android:orientation="horizontal"><Viewandroid:id="@+id/colorPreview"android:layout_width="@dimen/size_pre_view"android:layout_height="@dimen/size_pre_view"android:layout_marginEnd="10dp"android:background="@color/colorRed"/><LinearLayoutandroid:layout_width="match_parent"android:layout_height="match_parent"android:orientation="vertical"><com.nepalese.harinetest.player.color.VirgoHPickerandroid:id="@+id/hPicker"android:layout_width="match_parent"android:layout_height="wrap_content"android:layout_weight="1"/><Viewandroid:layout_width="wrap_content"android:layout_height="5dp"/><com.nepalese.harinetest.player.color.VirgoAPickerandroid:id="@+id/aPicker"android:layout_width="match_parent"android:layout_height="wrap_content"android:layout_weight="1" /></LinearLayout></LinearLayout><LinearLayoutandroid:layout_width="match_parent"android:layout_height="wrap_content"android:orientation="horizontal"><LinearLayoutandroid:layout_width="0dp"android:layout_height="wrap_content"android:layout_weight="1"android:gravity="center"android:orientation="vertical"><TextViewandroid:layout_width="wrap_content"android:layout_height="wrap_content"android:textSize="@dimen/text_14"android:text="A"android:textColor="@color/colorWhite"/><EditTextandroid:id="@+id/etA"android:layout_width="match_parent"android:layout_height="@dimen/size_input_h"android:layout_margin="@dimen/margin_3"android:textSize="@dimen/text_size_12"android:background="@drawable/frame_input"android:textColor="@color/colorWhite"android:textAlignment="center"android:inputType="numberDecimal"/></LinearLayout><LinearLayoutandroid:layout_width="0dp"android:layout_height="wrap_content"android:layout_weight="1"android:gravity="center"android:orientation="vertical"><TextViewandroid:layout_width="wrap_content"android:layout_height="wrap_content"android:textSize="@dimen/text_14"android:text="R"android:textColor="@color/colorWhite"/><EditTextandroid:id="@+id/etR"android:layout_width="match_parent"android:layout_height="@dimen/size_input_h"android:layout_margin="@dimen/margin_3"android:textSize="@dimen/text_size_12"android:background="@drawable/frame_input"android:textColor="@color/colorWhite"android:textAlignment="center"android:inputType="numberDecimal"/></LinearLayout><LinearLayoutandroid:layout_width="0dp"android:layout_height="wrap_content"android:layout_weight="1"android:gravity="center"android:orientation="vertical"><TextViewandroid:layout_width="wrap_content"android:layout_height="wrap_content"android:textSize="@dimen/text_14"android:text="G"android:textColor="@color/colorWhite"/><EditTextandroid:id="@+id/etG"android:layout_width="match_parent"android:layout_height="@dimen/size_input_h"android:layout_margin="@dimen/margin_3"android:textSize="@dimen/text_size_12"android:background="@drawable/frame_input"android:textColor="@color/colorWhite"android:textAlignment="center"android:inputType="numberDecimal"/></LinearLayout><LinearLayoutandroid:layout_width="0dp"android:layout_height="wrap_content"android:layout_weight="1"android:gravity="center"android:orientation="vertical"><TextViewandroid:layout_width="wrap_content"android:layout_height="wrap_content"android:textSize="@dimen/text_14"android:text="B"android:textColor="@color/colorWhite"/><EditTextandroid:id="@+id/etB"android:layout_width="match_parent"android:layout_height="@dimen/size_input_h"android:layout_margin="@dimen/margin_3"android:textSize="@dimen/text_size_12"android:background="@drawable/frame_input"android:textColor="@color/colorWhite"android:textAlignment="center"android:inputType="numberDecimal"/></LinearLayout><LinearLayoutandroid:layout_width="0dp"android:layout_height="wrap_content"android:layout_weight="2"android:gravity="center"android:orientation="vertical"><TextViewandroid:layout_width="wrap_content"android:layout_height="wrap_content"android:textSize="@dimen/text_14"android:text="Hex"android:textColor="@color/colorWhite"/><EditTextandroid:id="@+id/etColor"android:layout_width="match_parent"android:layout_height="@dimen/size_input_h"android:layout_margin="@dimen/margin_3"android:textSize="@dimen/text_size_12"android:background="@drawable/frame_input"android:textColor="@color/colorWhite"android:textAlignment="center" /></LinearLayout></LinearLayout>v</LinearLayout>
</LinearLayout>

dimens.xml

<!--颜色板-->
<dimen name="size_input_h">34dp</dimen>
<dimen name="size_pre_view">40dp</dimen><dimen name="text_size_10">10sp</dimen><dimen name="text_size_12">12sp</dimen><dimen name="text_size_14">14sp</dimen><dimen name="text_size_16">16sp</dimen><dimen name="text_size_18">18sp</dimen><dimen name="text_size_20">20sp</dimen>

frame_input.xml(自定义输入边框样式)

<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="http://schemas.android.com/apk/res/android"android:shape="rectangle"><solid android:color="@color/colorTransparent"/><stroke android:color="#B1B1B1"android:width="2dp"/>
</shape>
2. VirgoSVPicker.java(饱和度、亮度控制器)
import android.content.Context;
import android.util.AttributeSet;
import android.view.LayoutInflater;
import android.widget.RelativeLayout;import com.nepalese.harinetest.R;/*** @author nepalese on 2024/12/03 14:33*/
public class VirgoSVPicker extends RelativeLayout {private static final String TAG = "VirgoSVPicker";private VirgoColorSVView svView;private VirgoSelectCy selectCy;public VirgoSVPicker(Context context) {this(context, null);}public VirgoSVPicker(Context context, AttributeSet attrs) {this(context, attrs, 0);}public VirgoSVPicker(Context context, AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);LayoutInflater.from(context).inflate(R.layout.layout_color_sv, this, true);init();}private void init() {svView = findViewById(R.id.svView);selectCy = findViewById(R.id.svCircle);}//设置色调public void setmH(float mH) {svView.setmColorH(mH);}//设置圆形选择器的位置public void setSV(float s, float v) {
//        Log.i(TAG, "setSV: s " + s + ", v " + v);selectCy.setSV(s, v);}public void setCallback(VirgoSelectCy.PointCallback callback) {selectCy.setCallback(callback);}
}

layout_color_sv.xml

<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"android:layout_width="match_parent"android:layout_height="match_parent"><com.nepalese.harinetest.player.color.VirgoColorSVViewandroid:id="@+id/svView"android:layout_width="match_parent"android:layout_height="match_parent"/><com.nepalese.harinetest.player.color.VirgoSelectCyandroid:id="@+id/svCircle"android:layout_width="match_parent"android:layout_height="match_parent"/>
</RelativeLayout>
3. VirgoColorSVView.java(颜色面板)
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.LinearGradient;
import android.graphics.Paint;
import android.graphics.Shader;
import android.util.AttributeSet;
import android.view.View;import androidx.annotation.ColorInt;
import androidx.annotation.Nullable;import com.nepalese.harinetest.config.Constants;/*** @author nepalese on 2024/12/03 08:57* @usage 颜色面板*/
public class VirgoColorSVView extends View {private static final String TAG = "VirgoColorView";private Paint mPaint;private int mWidth, mHeight;//H表示色相(0-360),S表示饱和度(0-1),V表示亮度(0-1)private final float[] hsv = new float[3];private final int[] mColors = new int[2];//颜色组public VirgoColorSVView(Context context) {this(context, null);}public VirgoColorSVView(Context context, @Nullable AttributeSet attrs) {this(context, attrs, 0);}public VirgoColorSVView(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {Color.colorToHSV(Color.RED, hsv);mPaint = new Paint();mPaint.setAntiAlias(true);mPaint.setStyle(Paint.Style.FILL);}@Overrideprotected void onLayout(boolean changed, int left, int top, int right, int bottom) {super.onLayout(changed, left, top, right, bottom);this.mWidth = this.getWidth();this.mHeight = this.getHeight();}private void setShader() {//渐变渲染Shader mShader = new LinearGradient(0, 0, mWidth, 0, mColors, null, Shader.TileMode.CLAMP);mPaint.setShader(mShader);}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);for (int h = 0; h < mHeight; h++) {hsv[2] = (mHeight - h) / (mHeight * 1f);mColors[0] = getC1();mColors[1] = getC2();setShader();canvas.drawLine(0, h, mWidth, h, mPaint);}}private int getC1() {hsv[1] = 0;return Color.HSVToColor(hsv);}private int getC2() {hsv[1] = 1;return Color.HSVToColor(hsv);}/*** 设置色相** @param h; 0-360*/public void setmColorH(float h) {if (h >  Constants.COLOR.HUE_MAX || h < 0) {return;}hsv[0] = h;invalidate();}/*** 设置颜色*/public void setColor(@ColorInt int color) {Color.colorToHSV(color, hsv);invalidate();}
}
4. VirgoSelectCy.java(圆形选择器)
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.Paint;
import android.util.AttributeSet;
import android.view.MotionEvent;
import android.view.View;import androidx.annotation.Nullable;/*** @author nepalese on 2024/12/03 14:38* @usage 圆形选择器*/
public class VirgoSelectCy extends View {private static final String TAG = "VirgoSelectCy";private Paint mPaint;private VirgoPointf point;private PointCallback callback;private int mWidth, mHeight;private int mRadius;private float mS, mV;public VirgoSelectCy(Context context) {this(context, null);}public VirgoSelectCy(Context context, @Nullable AttributeSet attrs) {this(context, attrs, 0);}public VirgoSelectCy(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {mRadius = 8;mS = 1f;mV = 1f;point = new VirgoPointf();mPaint = new Paint();mPaint.setAntiAlias(true);mPaint.setColor(Color.WHITE);mPaint.setStyle(Paint.Style.STROKE);mPaint.setStrokeWidth(2);}@Overrideprotected void onLayout(boolean changed, int left, int top, int right, int bottom) {super.onLayout(changed, left, top, right, bottom);this.mWidth = this.getWidth();this.mHeight = this.getHeight();point.set(mS * mWidth, (1 - mV) * mHeight);}@Overridepublic boolean onTouchEvent(MotionEvent event) {super.onTouchEvent(event);switch (event.getAction()) {case MotionEvent.ACTION_DOWN:case MotionEvent.ACTION_MOVE://生成新值updatePoint(event.getX(), event.getY());break;case MotionEvent.ACTION_UP:break;}return true;}private void updatePoint(float x, float y) {if (x < 0) {x = 0;}if (y < 0) {y = 0;}if (x > mWidth) {x = mWidth;}if (y > mHeight) {y = mHeight;}point.set(x, y);invalidate();float s = x / mWidth;float v = 1 - y / mHeight;if (s < 0) {s = 0;}if (v < 0) {v = 0;}callback.onUpdateSV(s, v);}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);canvas.drawColor(Color.TRANSPARENT);canvas.drawCircle(point.getX(), point.getY(), mRadius, mPaint);}public interface PointCallback {void onUpdateSV(float s, float v);}//public void setCallback(PointCallback callback) {this.callback = callback;}public void setSV(float s, float v) {this.mS = s;this.mV = v;if (mWidth > 0) {point.set(s * mWidth, (1 - v) * mHeight);}}public void setmRadius(int mRadius) {this.mRadius = mRadius;invalidate();}
}

VirgoPointf.java

public class VirgoPointf {private float x;private float y;public VirgoPointf() {}public VirgoPointf(float x, float y) {this.x = x;this.y = y;}public float getX() {return x;}public void setX(float x) {this.x = x;}public float getY() {return y;}public void setY(float y) {this.y = y;}public void set(float x, float y) {this.x = x;this.y = y;}
}
5. VirgoHPicker.java(色相控制器)
import android.content.Context;
import android.util.AttributeSet;
import android.view.LayoutInflater;
import android.widget.RelativeLayout;import com.nepalese.harinetest.R;
import com.nepalese.harinetest.config.Constants;/*** @author nepalese on 2024/12/03 17:49*/
public class VirgoHPicker extends RelativeLayout {private static final String TAG = "VirgoHPicker";private VirgoSelectRect selectRect;public VirgoHPicker(Context context) {this(context, null);}public VirgoHPicker(Context context, AttributeSet attrs) {this(context, attrs, 0);}public VirgoHPicker(Context context, AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);LayoutInflater.from(context).inflate(R.layout.layout_color_h, this, true);init();}private void init() {selectRect = findViewById(R.id.hRect);selectRect.setmMaxProgress( Constants.COLOR.HUE_MAX);}public void setmH(float mH) {selectRect.setProgress(mH);}public void setCallback(VirgoSelectRect.RectCallback callback) {selectRect.setCallback(callback);}
}

layout_color_h.xml

<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"android:layout_width="match_parent"android:layout_height="match_parent"android:background="@color/colorTransparent"><com.nepalese.harinetest.player.color.VirgoColorHViewandroid:layout_margin="3dp"android:layout_width="match_parent"android:layout_height="match_parent"/><com.nepalese.harinetest.player.color.VirgoSelectRectandroid:id="@+id/hRect"android:layout_width="match_parent"android:layout_height="match_parent"/>
</RelativeLayout>
6. VirgoColorHView.java(色相选择器)
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.Paint;
import android.util.AttributeSet;
import android.view.View;import androidx.annotation.Nullable;import com.nepalese.harinetest.config.Constants;/*** @author nepalese on 2024/12/03 09:57* @usage 色相选择器*/
public class VirgoColorHView extends View {private static final String TAG = "VirgoColorHView";private Paint mPaint;private int mWidth, mHeight;//H表示色调(0-360),S表示饱和度(0-1),V表示亮度(0-1)private final float[] hsv = new float[3];public VirgoColorHView(Context context) {this(context, null);}public VirgoColorHView(Context context, @Nullable AttributeSet attrs) {this(context, attrs, 0);}public VirgoColorHView(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {Color.colorToHSV(Color.RED, hsv);mPaint = new Paint();mPaint.setAntiAlias(true);mPaint.setStyle(Paint.Style.FILL);}@Overrideprotected void onLayout(boolean changed, int left, int top, int right, int bottom) {super.onLayout(changed, left, top, right, bottom);this.mWidth = this.getWidth();this.mHeight = this.getHeight();}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);//纵向
//        for (int h = 0; h < mHeight; h++) {
//            hsv[0] = h / (mHeight * 1f) * 360;
//            mPaint.setColor(Color.HSVToColor(hsv));
//            canvas.drawLine(0, h, mWidth, h, mPaint);
//        }//横向for (int w = 0; w < mWidth; w++) {hsv[0] = w / (mWidth * 1f) * Constants.COLOR.HUE_MAX;mPaint.setColor(Color.HSVToColor(hsv));canvas.drawLine(w, 0, w, mHeight, mPaint);}}
}
7. VirgoSelectRect.java(矩形选择器)
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.Paint;
import android.graphics.RectF;
import android.util.AttributeSet;
import android.view.MotionEvent;
import android.view.View;import androidx.annotation.Nullable;/*** @author nepalese on 2024/12/03 17:52* @usage 矩形选择器*/
public class VirgoSelectRect extends View {private static final String TAG = "VirgoSelectCy";private Paint mPaint;private RectF rectF;private RectCallback callback;private int mWidth, mHeight;private int mMaxProgress;//最大进度值private int mRW;//rect 宽private float mProgress;//进度值private float mRXY;//圆角半径public VirgoSelectRect(Context context) {this(context, null);}public VirgoSelectRect(Context context, @Nullable AttributeSet attrs) {this(context, attrs, 0);}public VirgoSelectRect(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {mRW = 12;mRXY = 5;mProgress = 0;mMaxProgress = 100;rectF = new RectF();mPaint = new Paint();mPaint.setAntiAlias(true);mPaint.setColor(Color.WHITE);mPaint.setStyle(Paint.Style.FILL);}@Overrideprotected void onLayout(boolean changed, int left, int top, int right, int bottom) {super.onLayout(changed, left, top, right, bottom);this.mWidth = this.getWidth() - mRW;//保留底部this.mHeight = this.getHeight();float t = mProgress / mMaxProgress * mWidth;rectF.set(t, 0, t + mRW, mHeight);}@Overridepublic boolean onTouchEvent(MotionEvent event) {super.onTouchEvent(event);switch (event.getAction()) {case MotionEvent.ACTION_DOWN:case MotionEvent.ACTION_MOVE://生成新值updateRect(event.getX());break;case MotionEvent.ACTION_UP:break;}return true;}private void updateRect(float x) {if (x < 0) {x = 0;}if (x > mWidth) {x = mWidth;}rectF.set(x, 0, x + mRW, mHeight);invalidate();mProgress = x / mWidth * mMaxProgress;callback.onProgress(mProgress);}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);canvas.drawColor(Color.TRANSPARENT);canvas.drawRoundRect(rectF, mRXY, mRXY, mPaint);}public interface RectCallback {void onProgress(float progress);}//public void setCallback(RectCallback callback) {this.callback = callback;}public void setProgress(float progress) {this.mProgress = progress;if (mWidth > 0) {float off = progress / mMaxProgress * mWidth;rectF.set(off, 0, off + mRW, mHeight);invalidate();}}public void setmMaxProgress(int mMaxProgress) {this.mMaxProgress = mMaxProgress;}public void setmRW(int mRW) {this.mRW = mRW;invalidate();}
}
8. VirgoAPicker.java(透明度控制器)
import android.content.Context;
import android.util.AttributeSet;
import android.view.LayoutInflater;
import android.widget.RelativeLayout;import com.nepalese.harinetest.R;
import com.nepalese.harinetest.config.Constants;/*** @author nepalese on 2024/12/03 13:50*/
public class VirgoAPicker extends RelativeLayout {private static final String TAG = "VirgoAPicker";private VirgoColorAView aView;private VirgoSelectRect selectRect;public VirgoAPicker(Context context) {this(context, null);}public VirgoAPicker(Context context, AttributeSet attrs) {this(context, attrs, 0);}public VirgoAPicker(Context context, AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);LayoutInflater.from(context).inflate(R.layout.layout_color_a, this, true);init();}private void init() {aView = findViewById(R.id.aView);selectRect = findViewById(R.id.aRect);selectRect.setmMaxProgress(Constants.COLOR.ALPHA_MAX);selectRect.setProgress(Constants.COLOR.ALPHA_MAX);}//设置色相public void setmH(float mH) {aView.setmColorH(mH);}public void setA(float a) {selectRect.setProgress(a);}public void setCallback(VirgoSelectRect.RectCallback callback) {selectRect.setCallback(callback);}
}

layout_color_a.xml

<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"android:layout_width="match_parent"android:layout_height="match_parent"android:background="@color/colorTransparent"><com.nepalese.harinetest.player.color.VirgoColorAViewandroid:id="@+id/aView"android:layout_margin="3dp"android:layout_width="match_parent"android:layout_height="match_parent"/><com.nepalese.harinetest.player.color.VirgoSelectRectandroid:id="@+id/aRect"android:layout_width="match_parent"android:layout_height="match_parent"/>
</RelativeLayout>
9. VirgoColorAView.java
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.LinearGradient;
import android.graphics.Paint;
import android.graphics.RectF;
import android.graphics.Shader;
import android.util.AttributeSet;
import android.view.View;import androidx.annotation.ColorInt;
import androidx.annotation.Nullable;import com.nepalese.harinetest.config.Constants;/*** @author nepalese on 2024/12/03 14:03*/
public class VirgoColorAView extends View {private static final String TAG = "VirgoColorAView";private Paint mPaint;private RectF rectF;private int mWidth;private final int[] mColors = new int[2];public VirgoColorAView(Context context) {this(context, null);}public VirgoColorAView(Context context, @Nullable AttributeSet attrs) {this(context, attrs, 0);}public VirgoColorAView(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {super(context, attrs, defStyleAttr);init();}private void init() {mColors[0] = Color.parseColor("#00000000");mColors[1] = Color.parseColor("#ffff0000");mPaint = new Paint();mPaint.setAntiAlias(true);mPaint.setStyle(Paint.Style.FILL);}private void setShader() {//渐变渲染Shader mShader = new LinearGradient(0, 0, mWidth, 0, mColors, null, Shader.TileMode.CLAMP);mPaint.setShader(mShader);}@Overrideprotected void onSizeChanged(int w, int h, int oldw, int oldh) {super.onSizeChanged(w, h, oldw, oldh);//在measure之后, layout之前rectF = new RectF(0, 0, w, h);mWidth = w;}@Overrideprotected void onDraw(Canvas canvas) {super.onDraw(canvas);setShader();canvas.drawRect(rectF, mPaint);}/public void setColor(@ColorInt int color) {mColors[1] = color;invalidate();}public void setmColorH(float h) {if (h > Constants.COLOR.HUE_MAX || h < 0) {return;}float[] hsv = new float[3];hsv[0] = h;hsv[1] = 1f;hsv[2] = 1f;setColor(Color.HSVToColor(hsv));}
}

相关文章:

Android -- [SelfView] 自定义弹窗式颜色选择器

Android – [SelfView] 自定义弹窗式颜色选择器 PS: 1. 弹框式显示&#xff1b; 2. 支持透明度设置&#xff1b; 3. 支持拖动控件选择颜色&#xff1b; 4. 支持 ARGB | HEX 数值填写预览颜色并返回&#xff1b; 5. 输出支持Hex 和 Int 两种格式&#xff1b;效果 使用方法&…...

vue-echarts高度缩小时autoresize失效

背景 项目中采用动态给x-vue-echarts style赋值width&#xff0c;height的方式实现echarts图表尺寸的改变 <v-chart...autoresize></v-chart>给v-chart添加autoresize后&#xff0c;在图表宽度变化&#xff0c;高度增加时无异常&#xff0c;高度减小时图表并未缩…...

rabbitMq的rabbitmqctl status报错

Error: unable to perform an operation on node rabbitASUS-PC. Please see diagnostics information and suggestions below. 遇到上图这个错大部分问题可能是由于 RabbitMQ CLI 工具的 Erlang Cookie 与服务器上的不匹配而导致连接问题。Erlang Cookie 在 RabbitMQ 节点之间…...

linux c++ uuid编译时的问题

linux c uuid编译时的问题 写在前面可能编译过和不能编译过的可以编译和link过的不能编译过的 写在前面 几次翻车与uuid相关&#xff0c;超出我认知。 所以&#xff0c;把一些遇到的相关问题写在这里。 可能编译过和不能编译过的 可以编译和link过的 cmake_minimum_require…...

【STM32】RTT-Studio中HAL库开发教程九:FLASH中的OPT

文章目录 一、概要二、内部FLASH排布三、内部FLASH主要特色四、OTP函数介绍五、测试验证 一、概要 STM32系列是一款强大而灵活的微控制器&#xff0c;它的片内Flash存储器可以用来存储有关代码和数据&#xff0c;在实际应用中&#xff0c;我们也需要对这个存储器进行读写操作。…...

[SWPUCTF 2021 新生赛]crypto9

[MoeCTF 2021]Web安全入门指北—GET 意思是GET传参&#xff0c;moeflag 就可以得到falg 输入?moeflag flag为&#xff1a; NSSCTF{ff26110b-8793-403c-990e-15c7f1820596} [SWPUCTF 2021 新生赛]crypto9 #gpt写的代码 from itertools import product letter_list ABCDEFG…...

vue中常用的指令

v - if 指令 功能详细解释 它是一种真正的条件渲染指令。在 Vue 实例初始化以及数据更新过程中&#xff0c;Vue.js 会对v - if指令中的表达式进行求值。这个表达式可以是简单的布尔变量&#xff0c;也可以是一个复杂的计算表达式&#xff0c;只要最终结果是布尔值就行。当表达式…...

Docker Compose实战三:轻松部署PHP

通过前面的文章&#xff08;Docker Compose基础语法与MySQL部署&#xff09;&#xff0c;你已经掌握了Docker Compose的基本语法和常用指令&#xff0c;并成功部署了一个MySQL数据库服务器。今天&#xff0c;我们将继续深入探索Docker Compose的强大功能&#xff0c;介绍如何使…...

数据分析实战—房价特征关系

1.实战内容 &#xff08;1&#xff09; 读取房价特征关系表&#xff08;house_price.npz&#xff09;绘制离地铁站的距离与单位面积的房价的散点图&#xff0c;并对其进行分析&#xff1b; import pandas as pd import numpy as np import warnings warnings.filterwarnings(&…...

云和恩墨 zCloud 与华为云 GaussDB 完成兼容性互认证

近日&#xff0c;云和恩墨&#xff08;北京&#xff09;信息技术有限公司&#xff08;以下简称&#xff1a;云和恩墨&#xff09;的多元数据库智能管理平台 zCloud 与华为云计算技术有限公司&#xff08;以下简称&#xff1a;华为云&#xff09;的 GaussDB 数据库完成了兼容性互…...

【大语言模型LangChain】 ModelsIO OutputParsers详解

【大语言模型LangChain】 ModelsIO OutputParsers详解 一、简介二、OutputParsers 的优势三、解析器类型四、实战示例1、String 解析器2、Json 解析器3、Pydantic 解析器4、结构化输出解析器5、OpenAI 函数输出解析器5.1、JsonOutputFunctionsParser5.2、JsonKeyOutputFunction…...

PaddleSpeech本地部署文档

windows安装paddlespeech步骤&#xff1a; 1. 安装vs c编译环境 对于 Windows 系统&#xff0c;需要安装 Visual Studio 来完成 C 编译环境的安装。 Microsoft C Build Tools - Visual Studio 2. 安装conda conda create -y -p paddlespeech python3.8 conda activate pad…...

Android 第三方框架:RxJava:源码分析:责任链模式

文章目录 责任链模式RxJava中的责任链总结 责任链模式 RxJava中的责任链 链式调用的使用过程中形成了两个单向链表 第一个单向链表是Observable链表 它的形成过程&#xff1a; 1.首先调用Observable的静态方法创建第一个Observable对象&#xff0c;作为Observable链表的表…...

网络安全 与 加密算法

计算机中的网络安全 在本篇中介绍了以下几个方面: 机密性 密码学 对称加密算法(DES, 3DES, AES) 公开秘钥算法 RSA大素数的获取 完整性 散列函数(MD5, SHA-1, 并没有提及算法实现) 报文鉴别(MAC) 数字签名 端点鉴别 应用 SSL(TCP网络安全) 运行时安全 防火墙的基本知识 …...

UE4_贴花_贴花基础知识二

五、多表面投射 在本示例中&#xff0c;你将了解贴花如何在多个表面上进行投射。请注意&#xff0c;如果表面朝向与投射方向较为平行&#xff0c;贴花投射时必然会产生一些拉伸。另外&#xff0c;请记住&#xff0c;贴花可以在包括骨骼网格体在内的静态和动态网格体上进行投射。…...

ElasticSearch 搜索、排序、分页功能

一、DSL 查询文档 ElasticSearch 的查询依然是基于 json 风格的 DSL 来实现的。 官方文档&#xff1a;https://www.elastic.co/guide/en/elasticsearch/reference/8.15/query-dsl.html 1.1 DSL 查询分类 常见的查询类型包括&#xff1a; 查询所有&#xff1a;查询出所有数…...

MySQL-9.1.0 实现最基础的主从复制

目录 1 实验介绍 2 实验准备 2.1 创建目录为MySQL挂载使用 2.2 编写 docker-compose.yml 文件 2.3 启动容器 3 主从复制操作 3.1 MASTER 操作指令 3.2 SLAVE1 操作指令 3.3 SLAVE2 操作指令 4 验证是否实现主从 4.1 导入sql脚本查看是否正常主从复制 4.2 检验从库是否看见复制…...

Java中的“泛型“

泛型&#xff08;Generics&#xff09;是Java中的一种重要特性&#xff0c;它允许在定义类、接口和方法时使用类型参数&#xff08;type parameters&#xff09;。泛型的主要目的是提高代码的类型安全性和重用性。下面我将详细讲解Java中的泛型。 1. 泛型的基本概念 泛型允许我…...

前端(五)css属性

css属性 文章目录 css属性一、字体属性二、文本属性三、背景属性四、盒子模型 一、字体属性 font-weight&#xff1a;文字粗细&#xff0c;在100到900之间&#xff0c;normal(400),bord(700),inherit(继承父类) font-style&#xff1a;文字风格&#xff0c;normal表示正常(默认…...

总结拓展十七:SAP 采购订单行项目“交货“页签解析

《 SAP采购订单行项目“交货”页签字段解析》 在 SAP 系统的采购流程中&#xff0c;采购订单行项目的“交货”页签承载着关键的信息&#xff0c;其中的字段更是对整个交货环节的精准描述和把控的重要元素。理解和正确解析这些字段&#xff0c;对于确保采购流程的顺利进行、优化…...

浏览器访问 AWS ECS 上部署的 Docker 容器(监听 80 端口)

✅ 一、ECS 服务配置 Dockerfile 确保监听 80 端口 EXPOSE 80 CMD ["nginx", "-g", "daemon off;"]或 EXPOSE 80 CMD ["python3", "-m", "http.server", "80"]任务定义&#xff08;Task Definition&…...

在软件开发中正确使用MySQL日期时间类型的深度解析

在日常软件开发场景中&#xff0c;时间信息的存储是底层且核心的需求。从金融交易的精确记账时间、用户操作的行为日志&#xff0c;到供应链系统的物流节点时间戳&#xff0c;时间数据的准确性直接决定业务逻辑的可靠性。MySQL作为主流关系型数据库&#xff0c;其日期时间类型的…...

Docker 运行 Kafka 带 SASL 认证教程

Docker 运行 Kafka 带 SASL 认证教程 Docker 运行 Kafka 带 SASL 认证教程一、说明二、环境准备三、编写 Docker Compose 和 jaas文件docker-compose.yml代码说明&#xff1a;server_jaas.conf 四、启动服务五、验证服务六、连接kafka服务七、总结 Docker 运行 Kafka 带 SASL 认…...

el-switch文字内置

el-switch文字内置 效果 vue <div style"color:#ffffff;font-size:14px;float:left;margin-bottom:5px;margin-right:5px;">自动加载</div> <el-switch v-model"value" active-color"#3E99FB" inactive-color"#DCDFE6"…...

【C语言练习】080. 使用C语言实现简单的数据库操作

080. 使用C语言实现简单的数据库操作 080. 使用C语言实现简单的数据库操作使用原生APIODBC接口第三方库ORM框架文件模拟1. 安装SQLite2. 示例代码:使用SQLite创建数据库、表和插入数据3. 编译和运行4. 示例运行输出:5. 注意事项6. 总结080. 使用C语言实现简单的数据库操作 在…...

OPenCV CUDA模块图像处理-----对图像执行 均值漂移滤波(Mean Shift Filtering)函数meanShiftFiltering()

操作系统&#xff1a;ubuntu22.04 OpenCV版本&#xff1a;OpenCV4.9 IDE:Visual Studio Code 编程语言&#xff1a;C11 算法描述 在 GPU 上对图像执行 均值漂移滤波&#xff08;Mean Shift Filtering&#xff09;&#xff0c;用于图像分割或平滑处理。 该函数将输入图像中的…...

短视频矩阵系统文案创作功能开发实践,定制化开发

在短视频行业迅猛发展的当下&#xff0c;企业和个人创作者为了扩大影响力、提升传播效果&#xff0c;纷纷采用短视频矩阵运营策略&#xff0c;同时管理多个平台、多个账号的内容发布。然而&#xff0c;频繁的文案创作需求让运营者疲于应对&#xff0c;如何高效产出高质量文案成…...

mac 安装homebrew (nvm 及git)

mac 安装nvm 及git 万恶之源 mac 安装这些东西离不开Xcode。及homebrew 一、先说安装git步骤 通用&#xff1a; 方法一&#xff1a;使用 Homebrew 安装 Git&#xff08;推荐&#xff09; 步骤如下&#xff1a;打开终端&#xff08;Terminal.app&#xff09; 1.安装 Homebrew…...

零知开源——STM32F103RBT6驱动 ICM20948 九轴传感器及 vofa + 上位机可视化教程

STM32F1 本教程使用零知标准板&#xff08;STM32F103RBT6&#xff09;通过I2C驱动ICM20948九轴传感器&#xff0c;实现姿态解算&#xff0c;并通过串口将数据实时发送至VOFA上位机进行3D可视化。代码基于开源库修改优化&#xff0c;适合嵌入式及物联网开发者。在基础驱动上新增…...

go 里面的指针

指针 在 Go 中&#xff0c;指针&#xff08;pointer&#xff09;是一个变量的内存地址&#xff0c;就像 C 语言那样&#xff1a; a : 10 p : &a // p 是一个指向 a 的指针 fmt.Println(*p) // 输出 10&#xff0c;通过指针解引用• &a 表示获取变量 a 的地址 p 表示…...