Aplicativo da Windows Store com enterpriseAuthentication e Representação

Versão curta: Por que quando eu represento uma solicitação da Web feita pelo aplicativo da Windows Store, obtenho o objeto WindowsIdentity com o nome de usuário correto, mas sua propriedade IsAuthenticated retorna False? Fazer a mesma solicitação de um navegador (incluindo o Metro IE10) fornece IsAuthenticated == true.

Versão longa:
Estou prototipando uma solução corporativa interna, que consiste no serviço WCF e no aplicativo WinJS. O serviço WCF é baseado no webHttpBinding (ou seja, solicitações GET / POST simples).

Certas ações precisam ser processadas em nome de um usuário que faz uma solicitação, portanto, o serviço é configurado para representar seus chamadores. Aqui está a configuração de amostra:

<system.serviceModel>
  <bindings>
    <webHttpBinding>
      <binding name="CustomizedWebBinding">
        <security mode="TransportCredentialOnly">
          <transport clientCredentialType="Windows" />
        </security>
      </binding>
    </webHttpBinding>
  </bindings>
    <behaviors>
      <endpointBehaviors>
        <behavior name="Web">
          <webHttp/>
        </behavior>
      </endpointBehaviors>
        <serviceBehaviors>
            <behavior name="">
                <serviceMetadata httpGetEnabled="true" httpsGetEnabled="true" />
                <serviceDebug includeExceptionDetailInFaults="false" />
            </behavior>
        </serviceBehaviors>
    </behaviors>
    <services>
        <service name="WcfService">
            <endpoint address="" binding="webHttpBinding" bindingConfiguration="CustomizedWebBinding" contract="IWcfService" behaviorConfiguration="Web">
                <identity>
                    <dns value="localhost" />
                </identity>
            </endpoint>
            <host>
                <baseAddresses>
                    <add baseAddress="http://localhost:8787/" />
                </baseAddresses>
            </host>
        </service>
    </services>
</system.serviceModel>

... e código:

public class WcfService : IWcfService
{
    [OperationBehavior(Impersonation=ImpersonationOption.Required)]
    public UserInfo GetUserInfo()
    {
        UserInfo ui = new UserInfo();
        WindowsIdentity identity = ServiceSecurityContext.Current.WindowsIdentity;

        ui.UserName = identity.Name;
        ui.IsAuthenticated = identity.IsAuthenticated;
        ui.ImpersonationLevel = identity.ImpersonationLevel.ToString();
        ui.IsAnonymous = identity.IsAnonymous;
        ui.IsGuest = identity.IsGuest;
        ui.IsSystem = identity.IsSystem;
        ui.AuthenticationType = identity.AuthenticationType;

        return ui;
    }
}

Portanto, essa operação simplesmente coleta informações sobre o chamador e as envia de volta em uma cadeia json.

Mover para o cliente. Para ativar a autenticação automática, verifiquei "Autenticação empresarial", "Internet (cliente)" e "Redes privadas" no arquivo de manifesto do aplicativo da Windows Store.

De dentro do aplicativo da Windows Store, eu envio a solicitação usando a função WinJS.xhr:

    var options = {
        url: "http://localhost:8787/getuserinfo"
    };

    WinJS.xhr(options).then(function (xhrResponse) {
        var userInfoBlock = document.getElementById("userInfoBlock");
        var data = JSON.parse(xhrResponse.response);

        userInfoBlock.innerHTML += "<ul>"

        for (var p in data) {
            if (data.hasOwnProperty(p)) {
                userInfoBlock.innerHTML += "<li>" + p + ": " + data[p] + "</li>";
            }
        }

        userInfoBlock.innerHTML += "</ul>";
    });

Agora, quando executo o aplicativo da Windows Store e ele envia uma solicitação, a resposta que obtenho é:

AuthenticationType: "NTLM"
ImpersonationLevel: "Impersonation"
IsAnonymous: false
IsAuthenticated: false
IsGuest: false
IsSystem: false
UserName: "TESTBOX\dev"

Se eu enviar uma solicitação usando a barra de endereço do navegador, recebo a mesma resposta, com a única diferença que "IsAuthenticated: true".

Eu também notei que se eu desabilitar "Autenticação Empresarial", isso faz com que o Credentials Picker seja pop-up e depois de fornecer as credenciais corretas estou recebendo "IsAuthenticated: true".

Estou faltando alguma coisa ou esperando muito do recurso enterpriseAuthentication?

questionAnswers(1)

yourAnswerToTheQuestion