IW4M-Admin/Application/Misc/TokenAuthentication.cs

101 lines
2.9 KiB
C#
Raw Normal View History

using SharedLibraryCore.Helpers;
using SharedLibraryCore.Interfaces;
using System;
using System.Collections.Concurrent;
using System.Security.Cryptography;
using System.Text;
namespace IW4MAdmin.Application.Misc
{
2022-01-26 11:32:16 -05:00
internal class TokenAuthentication : ITokenAuthentication
{
2022-06-16 11:07:03 -04:00
private readonly ConcurrentDictionary<int, TokenState> _tokens;
2022-01-26 11:32:16 -05:00
private readonly RandomNumberGenerator _random;
private static readonly TimeSpan TimeoutPeriod = new(0, 0, 120);
2022-01-26 11:32:16 -05:00
private const short TokenLength = 4;
public TokenAuthentication()
{
2022-06-16 11:07:03 -04:00
_tokens = new ConcurrentDictionary<int, TokenState>();
2022-01-26 11:32:16 -05:00
_random = RandomNumberGenerator.Create();
}
public bool AuthorizeToken(ITokenIdentifier authInfo)
{
2022-06-16 11:07:03 -04:00
var authorizeSuccessful = _tokens.ContainsKey(authInfo.ClientId) &&
_tokens[authInfo.ClientId].Token == authInfo.Token;
if (authorizeSuccessful)
{
2022-06-16 11:07:03 -04:00
_tokens.TryRemove(authInfo.ClientId, out _);
}
return authorizeSuccessful;
}
public TokenState GenerateNextToken(ITokenIdentifier authInfo)
{
2022-01-26 11:32:16 -05:00
TokenState state;
2022-06-16 11:07:03 -04:00
if (_tokens.ContainsKey(authInfo.ClientId))
{
2022-06-16 11:07:03 -04:00
state = _tokens[authInfo.ClientId];
if (DateTime.Now - state.RequestTime > TimeoutPeriod)
{
2022-06-16 11:07:03 -04:00
_tokens.TryRemove(authInfo.ClientId, out _);
}
else
{
return state;
}
}
2022-01-26 11:32:16 -05:00
state = new TokenState
{
Token = _generateToken(),
2022-01-26 11:32:16 -05:00
TokenDuration = TimeoutPeriod
};
2022-06-16 11:07:03 -04:00
_tokens.TryAdd(authInfo.ClientId, state);
// perform some housekeeping so we don't have built up tokens if they're not ever used
foreach (var (key, value) in _tokens)
{
2022-06-16 11:07:03 -04:00
if (DateTime.Now - value.RequestTime > TimeoutPeriod)
{
2022-01-26 11:32:16 -05:00
_tokens.TryRemove(key, out _);
}
}
return state;
}
2022-01-26 11:32:16 -05:00
private string _generateToken()
{
2022-01-26 11:32:16 -05:00
bool ValidCharacter(char c)
{
// this ensure that the characters are 0-9, A-Z, a-z
return (c > 47 && c < 58) || (c > 64 && c < 91) || (c > 96 && c < 123);
}
2022-01-26 11:32:16 -05:00
var token = new StringBuilder();
2022-01-26 11:32:16 -05:00
var charSet = new byte[1];
while (token.Length < TokenLength)
{
_random.GetBytes(charSet);
2022-01-26 11:32:16 -05:00
if (ValidCharacter((char)charSet[0]))
{
token.Append((char)charSet[0]);
}
}
_random.Dispose();
return token.ToString();
}
}
}