我有一个编辑文本,用户可以在其中输入厘米和英尺+英寸的身高。 5'11“。我有一个用于目标单位的切换按钮,因此我希望当用户选择厘米时,它应该将输入的文本从英尺+英寸转换为厘米,反之亦然。
现在,当我将高度转换为厘米时,它会在末尾添加“ \”。我认为这是因为文本观察器在计数达到3时在末尾添加了“ \””。
public void onClick(View view) {
switch (view.getId())
{
case R.id.btnCm:
toggleHeightButton(R.id.btnCm,R.id.btnFeet,false);
convertToCentimeter(enter_height);
break;
case R.id.btnFeet:
toggleHeightButton(R.id.btnFeet,R.id.btnCm,true);
enter_height.addTextChangedListener(new CustomTextWatcher(enter_height));
break;
case R.id.btnKg:
toggleweightButton(R.id.btnKg,R.id.btnpound,false);
break;
case R.id.btnpound:
toggleweightButton(R.id.btnpound,R.id.btnKg,true);
break;
}
}
public class CustomTextWatcher implements TextWatcher {
private EditText mEditText;
public CustomTextWatcher(EditText enter_height) {
mEditText = enter_height;
}
public void beforeTextChanged(CharSequence s, int start, int count, int after) {
}
public void onTextChanged(CharSequence s, int start, int before, int count) {
}
public void afterTextChanged(Editable s) {
int count = s.length();
String str = s.toString();
if (count == 1) {
str = str + "'";
} else if (count == 2) {
return;
} else if (count == 3) {
str = str + "\"";
} else if ((count > 4) && (str.charAt(str.length() - 1) != '\"') ){
str = str.substring(0, str.length() - 2) + str.charAt(str.length() - 1) + "\"";
} else {
return;
}
mEditText.setText(str);
mEditText.setSelection(mEditText.getText().length());
}
}
最佳答案
使用正则表达式很容易做到这一点,但是我认为您应该首先尝试更直接的方法。
基本上,格式类似于xx'xx"
。我们可以使用split
分隔符'
字符串。这样,数组的第一项就是英尺数。
然后,剩下拆分字符串的第二项:xx"
。为此,我们只需要对它进行子字符串删除以删除最后一个字符,然后就可以得到英寸数!
尝试自己编写代码!
如果您确实遇到问题,请使用以下解决方案:
String str = s.toString();
String[] splitString = str.split("'");
String firstItem = splitString[0];
try {
int feet = Integer.parseUnsignedInt(firstItem);
String secondPart = splitString[1].substring(0, splitString[1].length() - 1);
int inches = Integer.parseUnsignedInt(secondPart);
// YAY! you got your feet and inches!
System.out.println(feet);
System.out.println(inches);
} catch (NumberFormatException e) {
return;
}
这是使用正则表达式的解决方案:
String str = s.toString();
Pattern pattern = Pattern.compile("(\\d+)'((\\d+)\")?");
Matcher matcher = pattern.matcher(str);
if (!matcher.matches()) {
return;
}
int feet = Integer.parseUnsignedInt(matcher.group(1));
String inchesStr = matcher.group(3);
int inches = 0;
if (inchesStr != null) {
inches = Integer.parseUnsignedInt(inchesStr);
}
// YAY! you got your feet and inches!