Since you're looking to learn more about functional style, I'll elaborate rather than just provide an answer.
We start with our table:
vector = Table[{RandomReal[], RandomReal[], RandomReal[]}, {n, 0, 10}]
We could either re-structure the table first, or deal with selecting which elements to apply the Tan function to later. If we restructure first, I'd actually prefer the following to what you had (vector2 is there just so I can easily refer to this later).
vector2 = vector[[All, 1 ;; 2]]
Now, let's consider several ways to map. It's often easier to get a feel for these things by using undefined symbols in your mapping expression. So, compare what you get with these:
f /@ vector (*gives something like {f[{0.408218, 0.315962, 0.472218}], ...}*) f /@ vector2 (*gives something like {f[{0.408218, 0.315962}], ...}*) f @@@ vector (*{f[0.408218, 0.315962, 0.472218], ...}*) f @@@ vector2 (*{f[0.408218, 0.315962]}*) Map[f, vector, {-2}] (*{f[{0.408218, 0.315962, 0.472218}]}*) etc
That last form for Map is nice when it's easier to figure out where to apply a function from the "bottom" up in a structure, but in this case it's equivalent to one of the previous forms, because your structure isn't very deep.
Let's pick this expression: f @@@ vector2. At this point, you could define your anonymous function like you did: Tan[#1/#2] &, to give this:
Tan[#1/#2] & @@@ vector2 (*or alternatively, since vector2 was just convenience:*) Tan[#1/#2] & @@@ vector[[All, 1 ;; 2]]
But, another nice thing that is often seen in a functional style is function composition. Since we already have the functions you need, specifically Divide and Tan, you don't need the Slot version. You could just do this:
Tan@*Divide @@@ vector[[All, 1 ;; 2]]
I'm not suggestion that this is better. Sometimes it's clearer/cleaner.
Now, if we had chosen this to start: f /@ vector, then we would need to use Part to extract the elements from the list:
Tan[#[[1]]/#[[2]]] & /@ vector
Tan[#1/#2] & @@@ vector[[;; , {1, 2}]]would do it; see manual:@@@means "apply at level 1". Alternatively,Tan[#[[1]]/#[[2]]] & /@ vector. Maybe invert#[[1]]and#[[2]]– I'm unsure as to which one you want. $\endgroup$Tan[vector[[All,2]]/vector[[All,1]]]$\endgroup$