Currently, I am adding an authorization header to my request like this:
File: SomeFile.cs
public interface ITestApi
{
[Get("/api/test/{id}")]
Task<string> GetTest([Header("Authorization")] string authorization, int id);
[Get("/api/tests/")]
Task<string> GetTests([Header("Authorization")] string authorization);
}
File: SomeOtherFile.cs
var username = "xxx";
var password = "yyy";
var authHeader = "Basic " + Convert.ToBase64String(Encoding.GetEncoding("ISO-8859-1").GetBytes(username + ":" + password));
var baseAddress = "https://my.test.net";
ITestApi myApi = RestService.For<ITestApi>(baseAddress);
int id = 123;
var test= myApi.GetTest(authHeader, id);
var tests = myApi.GetTests(authHeader);
Is there a way to set the authHeader globally so that I don't have to pass it as a parameter to every call? (I am using Refit version 4.6.48). In other words, I'd like to be able to do the calls like this:
var test= myApi.GetTest(id);
var tests = myApi.GetTests();
I found a solution:
[Headers("Authorization: Basic")]
public interface ITestApi
{
[Get("/api/test/{id}")]
Task<string> GetTest(int id);
[Get("/api/tests/")]
Task<string> GetTests();
}
var username = "xxx";
var password = "yyy";
var authHeader = Convert.ToBase64String(Encoding.GetEncoding("ISO-8859-1").GetBytes(username + ":" + password));
var baseAddress = "https://my.test.net";
var refitSettings = new RefitSettings()
{
AuthorizationHeaderValueGetter = () => Task.FromResult(authHeader)
};
ITestApi myApi = RestService.For<ITestApi>(baseAddress, refitSettings);
int id = 123;
var test= myApi.GetTest(id);
var tests = myApi.GetTests();