First 
  int*row=10;
  int* col=10;
This is wrong. Assigning hardcoded address. You don't want this
  int row=10;
  int col=10;
How to get the address of the row and col?
&row and &col.
How to pass it to function?
Call it, changeNum(&row,&col);
void changeNum(int*setRows, int *setCol)
{
     ...       
}
How to pass pointer to pointer?
void changeNum(int*setRows, int *setCol)
{
    chnageNum2(&setRows, &setCol);
}
ChangeNum2 how it would change value?
void chnageNum2(int **setRows, int **setCol){
    **setRows = 110;
    **setCol = 110;
}
Can we do the same change using changeNum() only?
Yes we can do that.
void changeNum(int*setRows, int *setCol)
{
     *setRows = 110;
     *setCol = 110;        
}
Definitely check this. Grab a book. It will help a lot.
The complete code will be
void changeNum(int*setRows, int *setCol)
{
  changeNum2(&setRows,&setCol);
}
void changeNum2(int**setRows, int **setCol)
{
  **setRows=5;
  **setCol=5;
}
int main(void) {
  int row=10;
  int col=10;
  changeNum(&row,&col);
  printf("%d %d",row,col);
  return 0;
}