You have three options.
1. Using #defines
AVR Studio passes the code through the AVR ASM Preprocessor. This does similar things to the C/C++ Preprocessor, but works on assembly. Given you are writing in pure assembly, the code is not going to be portable, so you might as well leverage the capabilities of AVR Studio (and in fact anything using AVR libc). You can simply use a define like in C:
#define SOMEPIN PINC,2
sbic SOMEPIN;
You could even go for something more advanced to deal with being able to use input, output, and direction registers. Something along the lines of:
#define CONCAT(a,b,c) a##b##,##c ; Helper for concatenation
#define SOMEPIN(p) CONCAT(p,C,2) ; Define as xC,2
sbic SOMEPIN(PIN) ; Expands to 'sbic PINC,2', and then to 'sbic 0x##,2'
sbi SOMEPIN(DDR) ; Expands to 'sbi DDRC,2'
Some may say that is abusing the pre-processor, but if it helps you understand the code better, so be it.
2. Just the Bit
This one is possibly easier in that it doesn't require the pre-processor. Rather than defining the entire command, just define the bit you want, but also include what port you are interested in the name. For example:
.equ SOMEPIN_D = 2;
sbic PIND, SOMEPIN_D;
That way if you know the name of the pin (SOMEPIN_D), you can easily remember which port/pin/ddr register it belongs to as it is part of the name.
3. Macros
@Ignacio mentioned this in the comments. You may be able to use macros to do what you want, though it has been several years since I wrote anything in pure assembler, so I can't immediately say how.