I have an MVC cross Web API app that has an ApiFileController, headed:
[Produces("application/json")]
[Route("api/File")]
public class ApiFileController : ApiBaseController
It has the following action method
[HttpPost("PostDir")]
[DisableRequestSizeLimit]
public async Task<IActionResult> PostDir(string serverPath)
{
    using (var fileStream = new FileStream(serverPath, FileMode.Create, FileAccess.Write))
    {
        await Request.Body.CopyToAsync(fileStream);
    }
    return Ok();
}
that is supposed to received a zipfile containing a directory, and unzip it into the serverPath parameter. Yet when I try and post a file as follows:
sourcePath = Path.Combine("Temp", Guid.NewGuid() + ".zip");
System.IO.Compression.ZipFile.CreateFromDirectory(localPath, sourcePath, CompressionLevel.Fastest, true);
...
using (var fileStream = File.Open(sourcePath, FileMode.Open, FileAccess.Read))
{
    using (var reader = new StreamReader(fileStream))
    using (var content = new StreamContent(reader.BaseStream))
    {
        var uri = $"api/File/PostDir?serverPath={WebUtility.UrlEncode(serverPath)}";
        var resp = await _client.PostAsync(uri, content);
        resp.EnsureSuccessStatusCode();
    }
}
I get a 404 - Not found. If I post a plain text file, as follows,
    using (var fileStream = File.Open(localPath, FileMode.Open, FileAccess.Read))
    {
        using (var reader = new StreamReader(fileStream))
        using (var content = new StreamContent(reader.BaseStream))
        {
            var uri = $"api/File/PostDir?serverPath={WebUtility.UrlEncode(serverPath)}";
            var resp = await _client.PostAsync(uri, content);
            resp.EnsureSuccessStatusCode();
        }
    }
where localPath points to a plain text file, the PostDir action is correctly invoked and properly saves the text file.
I am using HttpClient, in a wrapper class, to make the requests, and it is initialized in the wrapper's ctor as follows:
public ApiClient()
{
    var baseAddress = ConfigurationManager.AppSettings["ApiUrl"];
    _client = new HttpClient();
    _client.BaseAddress = new Uri(baseAddress);
    _client.DefaultRequestHeaders.Clear();
    _client.DefaultRequestHeaders.ConnectionClose = false;
    _client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
}
I suspect that when posting the binary zip files, I am missing a content type header or such. What am I doing wrong?