如何从多项式字符串中获取系数和指数?
How do I get the coefficients and exponents from a polynomial string?
我正在尝试从多项式字符串中提取系数和指数,然后将它们存储到一个数组中,以便我可以使用这些数组创建一个新项,我可以对其进行数学运算(例如加、减、并相乘)
List<Term> poly = new ArrayList<>;
String poly = "26x^7+5x^6-8x^3-2";
int[] coeff = // Something like using split method here to get coeffs
int[] expo = // Same here but with exponents
for(int i = 0; i < coeffs.length; i++){
poly.add(new Term(coeff[i], expo[i]);
}
问题是,我真的不知道该怎么做。我已经尝试了很多方法,但都导致了错误..
我会尝试使用“+”或“-”字符拆分多边形字符串。 java如果有正则拆分方法就好了
这个拆分产生的数组是应该在你的循环中迭代以填充多边形列表的数组。
要注意的另一件事是多项式中的“-2”项,技术上是 x^0 和任何 "ax" 项,即 x^1。
这是一个解决方案,它忽略了 x^1 和 x^0 以及系数=1 的额外复杂性。
它按照描述在正则表达式中使用 Lookahead here
import java.util.ArrayList;
import java.util.List;
public class MyClass {
public static void main(String[] args) {
// expect format ax^n for each term. in particular in the cases a=1, x=1 and x=0.
String poly = "26x^7+5x^6-8x^3+1x^1-2x^0";
// remove ^ and then split by x and by + and - keeping the sign
String[] numbers = poly.replace("^", "").split("((?=\+)|(?=\-)|x)");
List<Integer> coeff = new ArrayList<>();
List<Integer> expo = new ArrayList<>();
// we can now assume that for every coefficient there is an exponent
for (int i = 0; i < numbers.length; i += 2) {
coeff.add(Integer.parseInt(numbers[i]));
expo.add(Integer.parseInt(numbers[i + 1]));
}
System.out.println(coeff);
System.out.println(expo);
}
}
输出:
[26, 5, -8, 1, -2]
[7, 6, 3, 1, 0]
我正在尝试从多项式字符串中提取系数和指数,然后将它们存储到一个数组中,以便我可以使用这些数组创建一个新项,我可以对其进行数学运算(例如加、减、并相乘)
List<Term> poly = new ArrayList<>;
String poly = "26x^7+5x^6-8x^3-2";
int[] coeff = // Something like using split method here to get coeffs
int[] expo = // Same here but with exponents
for(int i = 0; i < coeffs.length; i++){
poly.add(new Term(coeff[i], expo[i]);
}
问题是,我真的不知道该怎么做。我已经尝试了很多方法,但都导致了错误..
我会尝试使用“+”或“-”字符拆分多边形字符串。 java如果有正则拆分方法就好了
这个拆分产生的数组是应该在你的循环中迭代以填充多边形列表的数组。
要注意的另一件事是多项式中的“-2”项,技术上是 x^0 和任何 "ax" 项,即 x^1。
这是一个解决方案,它忽略了 x^1 和 x^0 以及系数=1 的额外复杂性。
它按照描述在正则表达式中使用 Lookahead here
import java.util.ArrayList;
import java.util.List;
public class MyClass {
public static void main(String[] args) {
// expect format ax^n for each term. in particular in the cases a=1, x=1 and x=0.
String poly = "26x^7+5x^6-8x^3+1x^1-2x^0";
// remove ^ and then split by x and by + and - keeping the sign
String[] numbers = poly.replace("^", "").split("((?=\+)|(?=\-)|x)");
List<Integer> coeff = new ArrayList<>();
List<Integer> expo = new ArrayList<>();
// we can now assume that for every coefficient there is an exponent
for (int i = 0; i < numbers.length; i += 2) {
coeff.add(Integer.parseInt(numbers[i]));
expo.add(Integer.parseInt(numbers[i + 1]));
}
System.out.println(coeff);
System.out.println(expo);
}
}
输出:
[26, 5, -8, 1, -2]
[7, 6, 3, 1, 0]