- System.Net.Sockets.SocketException (10048): Обычно разрешается только одно использование адреса сокета (протокол/сетевой адрес/порт)
- WCF: System.Net.SocketException — Only one usage of each socket address (protocol/network address/port) is normally permitted
- 2 Answers 2
- TcpSocket: Обычно разрешается только одно использование адреса сокета
System.Net.Sockets.SocketException (10048): Обычно разрешается только одно использование адреса сокета (протокол/сетевой адрес/порт)
Пытаюсь с помощью http запросов брать данные из БД (postgresql), которая развёрнута на выделенном сервере (подключаюсь к нему по ssh в самом коде). Все это дело реализовано с помощью EntityFramework. Проблема в том, что при запуске проекта, в первый раз запрос работает отлично (проверяю через swagger и postman), но когда пытаюсь выполнить его второй раз, то вылетает ошибка (System.Net.Sockets.SocketException (10048): Обычно разрешается только одно использование адреса сокета (протокол/сетевой адрес/порт)). Думаю, что дело в коде, который я запихнул в конструктор наследуемого класса от DbContext. Сам код:
SshClient client = new SshClient("айпишник", "пользователь", "пароль"); ForwardedPortLocal port = new ForwardedPortLocal("127.0.0.1", 5432, "127.0.0.1", 5432); client.Connect(); client.AddForwardedPort(port); port.Start();
Предполагаю проблема в том, что при первом запросе открывается ssh соединение и не закрывается, а при втором запросе пытается опять его открыть, но выдает ошибку, так как оно уже открыто. Пытался очень долго это исправить, но возможно мои предположения не верны, или пытаюсь исправить не то.
Проблема за пределами показанного кода. И здесь видно, что вы устанавливаете соединение, а где его закрываете и диспозите — неизвестно. Читайте про IDisposable. Ну и конечно туннель не должен жить в бд контексте. Даже если вы организуете поднятие подключения, то где гарантии, что оно не отвалится по время активной работы с базой? Надо механизм поддержки соединения, разделите ответственность. Туннель отдельно, база отдельно.
WCF: System.Net.SocketException — Only one usage of each socket address (protocol/network address/port) is normally permitted
I have a WCF service and a Web application. Web application makes calls to this WCF service in a continous manner a.k.a polling. In our production environment, I receive this error very rarely. Since, this is an internal activity users were not aware of when this error is thrown.
Could not connect to http://localhost/QAService/Service.svc. TCP error code 10048: Only one usage of each socket address (protocol/network address/port) is normally permitted 127.0.0.1:80. —> System.Net.WebException: Unable to connect to the remote server —> System.Net.Sockets.SocketException: Only one usage of each socket address (protocol/network address/port) is normally permitted 127.0.0.1:80
I am having trouble in reproducing this behaviour in our dev/qa environment. I have made sure that the client connection is closed in a try..catch..finally block. Still don’t understand what is causing this issue .. any one aware of this? Note: I’ve looked at this SO question, but not seems to be answering my problem, so it is not repeated questions.
Is that because the web service is using port 80, which is in use by IIS? Which port does your service use in production? Which port, is IIS configured on in production?
It is same 80 for both applications. WCF service is configured as a virtual directory inside the root in which the site is hosted. So, you’re saying there could be occasionally a conflict between both web page request and a request to service from web page trying to use same port?
I have encountered a similar situation. Planning to use net tcp port sharing feature in wcf service. msdn.microsoft.com/en-us/library/ms734772.aspx Please let me know if this works
2 Answers 2
You are overloading the TCP/IP stack. Windows (and I think all socket stacks actually) have a limitation on the number of sockets that can be opened in rapid sequence due to how sockets get closed under normal operation. Whenever a socket is closed, it enters the TIME_WAIT state for a certain time (240 seconds IIRC). Each time you poll, a socket is consumed out of the default dynamic range (I think its about 5000 dynamic ports just above 1024), and each time that poll ends, that particular socket goes into TIME_WAIT. If you poll frequently enough, you will eventually consume all of the available ports, which will result in TCP error 10048.
Generally, WCF tries to avoid this problem by pooling connections and things like that. This is usually the case with internal services that are not going over the internet. I am not sure if any of the wsHttp bindings support connection pooling, but the netTcp binding should. I would assume named pipes does not run into this problem. I couldn’t say for the MSMQ binding.
There are two solutions you can use to get around this problem. You can either increase the dynamic port range, or reduce the period of TIME_WAIT. The former is probably the safer route, but if you are consuming an extremely high volume of sockets (which doesn’t sound like the case for your scenario), reducing TIME_WAIT is a better option (or both together.)
Changing the Dynamic Port Range
- Open regedit.
- Open key HKLM\System\CurrentControlSet\Services\Tcpip\Parameters
- Edit (or create as DWORD) the MaxUserPort value.
- Set it to a higher number. (i.e. 65534)
Changing the TIME_WAIT delay
- Open regedit.
- Open key HKLM\System\CurrentControlSet\Services\Tcpip\Parameters
- Edit (or create as DWORD) the TcpTimedWaitDelay.
- Set it to a lower number. Value is in seconds. (i.e. 60 for 1 minute delay)
One of the above solutions should fix your problem. If it persists after changing the port range, I would see try increasing the period of your polling so it happens less frequently. that will give you more leeway to work around the time wait delay. I would change the time wait delay as a last resort.
TcpSocket: Обычно разрешается только одно использование адреса сокета
Понимаю, что тем с таким заголовком уже уйма, но ответа я так и не увидел. А точнее — что делать в моем случае. Итак, делаю сервер, который слушает локалку по указанному порту. За основу взял эту библиотеку — https://github.com/nterry/AwesomeSockets. Вот так выглядит метод запуска прослушивания:
public async void StartListening(int port) < if (CancellationTokenSource == null) CancellationTokenSource = new CancellationTokenSource(); _cancellationToken = CancellationTokenSource.Token; Clients = new ObservableCollection(); BindingOperations.EnableCollectionSynchronization(Clients, _lockObject); try < while (_tcpListen == null) < ShowCallbackMessageAction?.Invoke("Try to start server"); _tcpListen = AweSock.TcpListen(port); if (_tcpListen != null) < ShowCallbackMessageAction?.Invoke("Server started"); var waitForConnectionTask = Task.Run(() =>WaitForConnectionLoop(), _cancellationToken); var checkClientsConnectionTask = Task.Run(() => CheckClientsConnectionLoop(), _cancellationToken); await Task.WhenAll(waitForConnectionTask, checkClientsConnectionTask); > // https://stackoverflow.com/a/32768637/4944499 await Task.Delay(1000, _cancellationToken).ContinueWith(task => < >); > > catch (Exception exception) < ShowCallbackMessageAction?.Invoke($"Error on start server: "); > >
public void StopListening()
public static ISocket TcpListen(int port, int backlog = 10) < var listenSocket = new Socket(AddressFamily.InterNetwork, SocketType.Stream, ProtocolType.Tcp); //var ip = new IPAddress(new byte[] < 0, 0, 0, 0 >); //var localEndPoint = new IPEndPoint(ip, port); IPEndPoint localEndPoint = new IPEndPoint(IPAddress.Any, port); listenSocket.Bind(localEndPoint); listenSocket.Listen(backlog); return AwesomeSocket.New(listenSocket); >
Так вот — это все работает до того момента, пока я приложение свое не закрою без отписки от прослушивания. Т.е., например, случился крэш. После того, как я повторно запускаю сервер, то вижу сообщение: Везде пишут, что это нормально и порт сам освободится через некоторое время (вроде 240 секунд), но в моем случае этого не происходит. Помогает только перезагрузка компа. Как быть?