Если вы попытаетесь установить TCP-соединение в диапазоне портов 4502-4534, Silverlight сначала отправит запрос на порт 943 для получения содержимого файла политики клиентского доступа - он не будет читать файл на http://localhost.myserivce.com/clientaccesspolicy.xml, потому что это только для HTTP-запросов.
Вам необходимо настроить сервер на прослушивание TCP-порта 943, ожидать строку запроса равную <policy-file-request/>
и отвечать содержимым файла xml.
Приведенный ниже код демонстрирует базовую реализацию, вам нужно передать его локальному IPEndPoint через порт 943:
public class SocketPolicyServer
{
private const string m_policyRequestString = "<policy-file-request/>";
private string m_policyResponseString;
private TcpListener m_listener;
bool _started = false;
public SocketPolicyServer()
{
m_policyResponseString = File.ReadAllText("path/to/clientaccesspolicy.xml");
}
public void Start(IPEndPoint endpoint)
{
m_listener = new TcpListener(endpoint);
m_listener.Start();
_started = true;
m_listener.BeginAcceptTcpClient(HandleClient, null);
}
public event EventHandler ClientConnected;
public event EventHandler ClientDisconnected;
private void HandleClient(IAsyncResult res)
{
if(_started)
{
try
{
TcpClient client = m_listener.EndAcceptTcpClient(res);
m_listener.BeginAcceptTcpClient(HandleClient, null);
this.ProcessClient(client);
}
catch(Exception ex)
{
Trace.TraceError("SocketPolicyServer : {0}", ex.Message);
}
}
}
public void Stop()
{
_started = false;
m_listener.Stop();
}
public void ProcessClient(TcpClient client)
{
try
{
if(this.ClientConnected != null)
this.ClientConnected(this, EventArgs.Empty);
StreamReader reader = new StreamReader(client.GetStream(), Encoding.UTF8);
char[] buffer = new char[m_policyRequestString.Length];
int read = reader.Read(buffer, 0, buffer.Length);
if(read == buffer.Length)
{
string request = new string(buffer);
if(StringComparer.InvariantCultureIgnoreCase.Compare(request, m_policyRequestString) == 0)
{
StreamWriter writer = new StreamWriter(client.GetStream());
writer.Write(m_policyResponseString);
writer.Flush();
}
}
}
catch(Exception ex)
{
Trace.TraceError("SocketPolicyServer : {0}", ex.Message);
}
finally
{
client.GetStream().Close();
client.Close();
if(this.ClientDisconnected != null)
this.ClientDisconnected(this, EventArgs.Empty);
}
}
}