在螺旋顺序的5 * 5矩阵中找到[R,C]

时间:2016-10-04 04:49:44

标签: c search matrix spiral

对于填充类似于上面给出的N * N螺旋矩阵,找到存在于[R,C]位置的元素,其中R =行号,C =列号。

请记住,我仍然是初学者,所以请不要太高级。

我对螺旋矩阵感到困惑,这也会起作用,但它是为常规矩阵设计的,我想了解最佳解决方案,因为它是一个螺旋形。谢谢。

#include<stdio.h>

 /* Searches the element x in mat[][]. If the element is found, 
    then prints its position and returns true, otherwise prints 
    "not found" and returns false */
int search(int mat[4][4], int n, int x)
{
   int i = 0, j = n-1;  //set indexes for top right element
   while ( i < n && j >= 0 )
   {
      if ( mat[i][j] == x )
      {
         printf("\n Found at %d, %d", i, j);
         return 1;
      }
      if ( mat[i][j] > x )
        j--;
      else //  if mat[i][j] < x
        i++;
   }

   printf("\n Element not found");
   return 0;  // if ( i==n || j== -1 )
}

1 个答案:

答案 0 :(得分:0)

我们将在这里使用递归。理解如果要搜索的元素不是NxN螺旋矩阵的边界元素,那么我们可以移除边界并检查现在形成的(N-2)x(N-2)螺旋矩阵中的元素。 以下代码使用此逻辑。 (请注意,RC使用基于 1的索引

import java.util.*;
class SpiralElement{
    static int getElement(int N, int R, int C){
        if(R != 1 && C != 1 && R != N && C != N)return getElement(N-2, R-1, C-1);        
        else{
            if(R == 1)return N*N+1-C;
            else if(C == 1)return (N*N) - (N)-(N-1)-(N-2) - (N-R);
            else if(R == N)return (N*N) - (N) - (N-1) - (N-2) + (C-1);
            else return (N*N) - (N) - (R-2);
        }
    }
    static void main(){
        Scanner sc = new Scanner(System.in);
        System.out.println("Enter N, R, C");
        int N = sc.nextInt();
        int R = sc.nextInt();
        int C = sc.nextInt();
        if(N%2 == 0){
            R = N-R+1; // mirroring the position as highest element(N*N) is now the bottom-right element and not top-left
            C = N-C+1;
        }
        System.out.println(getElement(N,R,C));
    }
}