If you are looking to be NOTIFIED INSTANTLY AND CONSISTENTLY when a person with a specific permission logs in, Triggers are the best route.
If you want an audit of successful logins or failed logins, SQL Audit is your best route.
You can see a similar question here by Sergey on Stack Exchange.
There are other methods to achieve this goal, but it strictly depends on the requirements.
You can query for active sessions and join to system tables to find users active, you can audit who successfully logged in or not with the audit events and then correlate to the system tables too. (This becomes a retroactive or historical view, not a real time.) You can also use tracing / extended events to obtain this information and schedule a job to run off of. Here's an example of the Extended Events Logon Capture by Steve Jones on Voice of the DBA.
If you needed it instantly when the person logs in and consistently, triggers are your best resolution.
MSDN on Logon Triggers.
Here is an example of creating a LOGON trigger for all Sysadmin.
CREATE TRIGGER [LogonAuditTrigger]
ON ALL SERVER
FOR LOGON
AS
DECLARE @UserInfo VARCHAR(255);
SET @UserInfo = (SELECT SYSTEM_USER);
IF @UserInfo = ( SELECT TOP 1 p.name AS [loginname]
FROM sys.server_principals p
JOIN sys.syslogins s
ON p.sid = s.sid
WHERE p.type_desc IN ( 'SQL_LOGIN', 'WINDOWS_LOGIN', 'WINDOWS_GROUP' )
-- Logins that are not process logins
AND p.name NOT LIKE '##%'
-- Logins that are sysadmins
AND s.sysadmin = 1
AND p.name = @UserInfo)
BEGIN
PRINT 'Hello';
END;
GO
You may want to create a way to avoid hitting the trigger, please see this answer if you want to incorporate it.
Note: Be careful of logon triggers, you don't want to lock yourself out.