我对同现公式有疑问。如何在Java中实现图像GLCM的计算?
具体来说,我正在尝试找出如何计算像素强度为x
且其最右边的像素强度为y
的次数。我还需要将获得的值存储在结果共现矩阵的第x
行和第y
列中。
预期的行为如下所示:
这是我到目前为止所得到的:
代码(尚未完成)
public class MainClass {
final static int[][] matrix= {
{2,4,1,3},
{7,2,1,6},
{1,1,2,2},
{1,2,5,8}
};
static int i;
static int j;
static int x;
static int y;
static int c;
static int d;
static int maxValue = matrix[0][0];
static int minValue = matrix[0][0];
public static void main(String[] args) {
// TODO Auto-generated method stub
for(i = 0; i< matrix.length; i++) {
for(j=0; j < matrix[i].length; j++) {
System.out.print(matrix[i][j] + "");
if(matrix[i][j] > maxValue) {
maxValue=matrix[i][j];
}
else if(matrix[i][j] < minValue) {
minValue=matrix[i][j];
}
}
System.out.println();
}
System.out.println("maxValue = "+ maxValue);
int count = 0;
for(int i=0; i< matrix.length; i++) {
for (int j=0; j<matrix[i].length; j++) {
int x = i;
int y = j;
if(matrix[x][y] == 1 & matrix[x][y+1] ==1) {
count ++;
}
System.out.println(matrix[x][y+1]);
}
}
}
输出(错误)
2413
7216
1122
1258
maxValue = 8
4
1
3
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: 4
at main.MainClass.main(MainClass.java:45)
我不想使用第三方库,例如OpenCV或jfeaturelib。
答案 0 :(得分:0)
此代码可以完成工作:
public class MainClass {
final static int[][] I = {
{1, 1, 5, 6, 8},
{2, 3, 5, 7, 1},
{4, 5, 7, 1, 2},
{8, 5, 1, 2, 5}
};
public static int getMaxValue(int[][] array) {
int maxValue = array[0][0];
for (int i = 0; i < array.length; i++) {
for (int j = 0; j < array[i].length; j++) {
if (array[i][j] > maxValue) {
maxValue = array[i][j];
}
}
}
return maxValue;
}
static int maxValue = getMaxValue(I);
public static void main(String[] args) {
System.out.println("I");
for (int row = 0; row < I.length; row++) {
for (int col = 0; col < I[row].length; col++) {
System.out.print(I[row][col] + " ");
}
System.out.println();
}
System.out.println("maxValue = " + maxValue);
int[][] GLCM = new int[maxValue + 1][maxValue + 1];
for (int row = 0; row < I.length; row++) {
for (int col = 0; col < I[row].length - 1; col++) {
int x = I[row][col];
int y = I[row][col + 1];
GLCM[x][y]++;
}
}
System.out.println("GLCM");
for (int x = 1; x <= maxValue; x++) {
for (int y = 1; y <= maxValue; y++) {
System.out.print(GLCM[x][y] + " ");
}
System.out.println();
}
}
}
输出
I
1 1 5 6 8
2 3 5 7 1
4 5 7 1 2
8 5 1 2 5
maxValue = 8
GLCM
1 2 0 0 1 0 0 0
0 0 1 0 1 0 0 0
0 0 0 0 1 0 0 0
0 0 0 0 1 0 0 0
1 0 0 0 0 1 2 0
0 0 0 0 0 0 0 1
2 0 0 0 0 0 0 0
0 0 0 0 1 0 0 0
注释
我假设最小强度为1
。如果您想考虑强度值为0
的像素,则应像这样更改最后两个for
循环:
for (int x = 0; x <= maxValue; x++) {
for (int y = 0; y <= maxValue; y++) {
提出的解决方案产生对应于位移矢量“右一个像素”的同现矩阵。如果您希望使用其他位移矢量来计算GLCM,则需要调整代码。例如,以下代码段返回与“一个像素向上偏移”相对应的GLCM:
for (int row = 1; row < I.length; row++) {
for (int col = 0; col < I[row].length; col++) {
int x = I[row][col];
int y = I[row - 1][col];
GLCM[x][y]++;
}
}