Error 26 ошибка при обнаружении указанного сервера или экземпляра

Добрый день!

Прошу помощи в решении следующей проблемы.

Есть корпоративная сеть из нескольких машин с разрядностью как 32, так и 64. Авторизация происходит по доменным учетным записям.

Установила на 64-разрядную машину 2 пользовательских инстанса SQL Server 2008 R2: один со смешанным режимом авторизации (пользователь sa), другой с проверкой подлинности Windows.

1. Sql Browser запущен.

2. TCP IP включен.

3. Брандмауэр windows Отключен.

4. В Sql Server Management Studio стоит галочка: allow remote connections.

Локально все подключается нормально. Второй 64-разрядный комп в сети также спокойно подключается к инстансам.
32-разрядные компы же выдают следующую
ошибку
:

При установлении соединения с SQL Server произошла ошибка, связанная с сетью или с определенным экземпляром. Сервер не найден или недоступен. Убедитесь, что имя экземпляра указано правильно и что на SQL Server разрешены удаленные соединения. (provider:
SQL Network Interfaces, error: 26 — Ошибка при обнаружении указанного сервера или экземпляра)

Подскажите, в чем может быть проблема?

5 / 5 / 3

Регистрация: 05.03.2013

Сообщений: 220

1

19.07.2014, 21:18. Показов 90481. Ответов 8


Студворк — интернет-сервис помощи студентам

Помогите пожалуста исправить
неполучается соеденится с SQL Server.

При установлении соединения с SQL Server произошла ошибка, связанная с сетью или
с определенным экземпляром. Сервер не найден или недоступен. Убедитесь, что имя
экземпляра указано правильно и что на SQL Server разрешены удаленные соединения
. (provider: SQL Network Interfaces, error: 26 — Ошибка при обнаружении указанно
го сервера или экземпляра)



0



1242 / 1052 / 293

Регистрация: 07.03.2012

Сообщений: 3,245

22.07.2014, 10:07

3

типичная ошибка при неверной строке соединения. Покажите, как соединяетесь



1



mixon-21

5 / 5 / 3

Регистрация: 05.03.2013

Сообщений: 220

22.07.2014, 17:14

 [ТС]

4

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Data.SqlClient;
 
namespace SQL_2
    {
    class Program
        {
        static void Main( string[] args )
            {
            string urce=@"Data Source=.MSSQL10_50.MSSQLSERVERMSSQLDATA;
Initial Catalog=EvelDb; 
Integrated Security=True";
            SqlConnection conn = new SqlConnection ( urce );
            try
                {
                conn.Open ();
                Console.WriteLine ( conn.State );
                }
            catch( Exception ex )
                {
                Console.WriteLine ( ex.Message );
                }
            finally
                {
                conn.Close();
                Console.WriteLine ( conn.State );
                }
            Console.ReadLine ();
            }
        }
    }



0



1242 / 1052 / 293

Регистрация: 07.03.2012

Сообщений: 3,245

22.07.2014, 17:36

5

mixon-21,
management studio откройте, соединитесь с сервером, слева в верхнем углу будет прописано то, что должно быть в Data Source

Примерно так должно быть: CompNamesqlexpress



0



5 / 5 / 3

Регистрация: 05.03.2013

Сообщений: 220

22.07.2014, 18:32

 [ТС]

6

management studio откройте, соединитесь с сервером, слева в верхнем углу будет прописано то, что должно быть в Data Source

Примерно так должно быть: CompNamesqlexpress

МИША-ПК(SQL Server10/50.1600-Миша-ПКМиша)

Оно???



0



1242 / 1052 / 293

Регистрация: 07.03.2012

Сообщений: 3,245

22.07.2014, 18:53

7

Цитата
Сообщение от mixon-21
Посмотреть сообщение

МИША-ПК(SQL Server10/50.1600-Миша-ПКМиша)

не думаю что такое сочетание скобок и разных видов слешей ему понравится

Добавлено через 50 секунд
попробуйте просто МИША-ПК



0



mixon-21

5 / 5 / 3

Регистрация: 05.03.2013

Сообщений: 220

22.07.2014, 23:26

 [ТС]

8

Добавлено через 4 часа 6 минут
Подскажите как данные базы данных вывести на консоль???

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
namespace ConsoleApplication1
    {
    class Program
        {
        static void Main( string[] args )
            {
            using( SQLiteConnection conn = new SQLiteConnection ( "Data Source=foods.db" ) )
                {
                try
                    {
                    conn.Open ();
                    string strSql = "Select * From foods";
                    SQLiteCommand comand = new SQLiteCommand ( strSql, conn );
                    SQLiteDataReader reader = comand.ExecuteReader ();
 
                    while( reader.Read () )
                        {
                        Console.WriteLine ( reader.GetInt32 ( 0 ) + ", " + reader.GetString ( 1 ) );
                        }
                    // always call Close when done reading.
                    reader.Close ();
                    //
                    //SQLiteCommand testComand = new SQLiteCommand ();
                    //testComand.Connection = conn;
                    //testComand.CommandText = strSql;
                    }
                catch( Exception e )
                    {
                    Console.WriteLine ( e.Message );
                    }
                finally
                    {
                    conn.Close ();
                    Console.WriteLine ( conn.State );
                    }
                }
            Console.ReadLine ();
            }
        
        }
    }

выводит ошибку. как правильно???

Заданное приведение является недопустимым.
Closed



1



Alex_student

18 / 18 / 8

Регистрация: 10.02.2013

Сообщений: 250

23.07.2014, 10:43

9

К сожалению нет времени посидеть над вашим кодом, но посмотрите код из моего старого проекта, насколько помню работал без вопросов:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
public ArrayList GetAllDebitors()
        {
            ArrayList alldebitors = new ArrayList();
            using (SqlConnection con = new SqlConnection(connectionString))
            {
                SqlCommand com = new SqlCommand("SELECT * FROM Debitors Order By Name", con);
 
                try
                {
                    con.Open();
                    SqlDataReader dr = com.ExecuteReader();
                    if (dr.HasRows)
                        foreach (DbDataRecord result in dr)
                            alldebitors.Add(result);
                }
                catch
                {
 
                }
            }
            return alldebitors;
        }



1



This issue also confused me a few days, after the IT guy changed some security settings on the SQL Server.

I have an EntityFramework for the Web application and for a desktop application.

After I changed some settings on the SQL Server, the Web application comeback to work, but the desktop still facing issue. But I used the same connection string for both applications, it make no sense one is working but the other doesn’t.

Then I searched a lot until I found someone saying here it is needed to add port number 1433 after the $ServerName$DatabaseInstanceName,1433.

After I added it, the exception became:

System.Data.SqlClient.SqlException: Login failed for user
‘domainname-PC$’

Then I found this link. It says to add Trusted_Connection=False;.

The whole connection string should be like:

data source=XXXXXSQLSERVER,1433;initial catalog=XXXDB;user id=UserID;password=PWD;Trusted_Connection=False;MultipleActiveResultSets=True;

Hope this answer will help the ones out off Generic exception:

Error: 26-Error Locating Server/Instance Specified

Okay so a lot of people have posted a similar question, however I don’t seem to be able to find a solution to my problem in any of them. So this is my situation.

Yesterday I was working with my SQL Server Express through SQL Server Management Studio. I close my projects as I’ve done multiple times before and then this morning when I tried to connect again with the tool is gives me this error:

TITLE: Connect to Server

Cannot connect to .SQLExpress.

ADDITIONAL INFORMATION:

A network-related or instance-specific error occurred while establishing a connection to SQL Server.
The server was not found or was not accessible. Verify that the instance name is correct and that SQL Server is configured to allow remote connections. (provider: SQL Network Interfaces, error: 26 — Error Locating Server/Instance Specified) (Microsoft SQL Server, Error: -1)

I think my main question here is if there is a solution to this problem, or if I have to install SQL Server Express all over again?

PS: Here are some system stats. I’m working on a Windows 10 machine, and the SQL Server Management Studio version is 2014.

Methods to Resolve SQL Server Error 26

SQL network interfaces error 26

Users often see “SQL Network Interfaces, error: 26 – Error Locating Server/Instance Specified” error message while connecting to SQL Server. This error 26 SQL server is quite common nowadays as a lot of users are complaining about it.

SQL Server Error 26

SQL Server Error 26 occurs when users trying to connect to a SQL Server named instance. The reason of the SQL Server Error 26 is the client stack could not receive SSRP response UPD packet from SQL Browser. Now, there a few ways to solve SQL network interfaces error 26 in a smart way. Stay tuned to know the best way.

Table of Content

  1. Quick Steps Guide
  2. Windows Firewall Method
  3. Other Causes of Error 26
  4. Automated Solution
  5. FAQs

Tip: Fix SQL Server Management Studio Error 40

SQL Error 26 Quick Solution in 5 Steps

  1. Downlaod & Launch tool in your PC
  2. Click on Open to Add database files
  3. Select Quick or Advance Scan mode
  4. Select Settings & Destination Location
  5. Click on Export button to get your results

You have to create an incoming rule that allows traffic from all promising IP addresses that are configured for the failover cluster instance and from all possible IP addresses of the remote server. For this, just follow the below steps. We’re sure that this way users can easily get rid of this SQL network interfaces error 26 for sure.

    • Open Adminstrative Tools, from Control Panel to begin solving error 26 SQL server
    • In Adminstrative Tools, click on Windows Firewall with Advanced Security
    • Under Windows Firewall with Advanced Security on Local Computer column, click on the Inbound Rule and then select New Rule from the right pane

Windows Firewall with Advanced Security

    • From New Inbound Rule Wizard window, select Custom and then click on the Next button

Select Custom

    • Under Does this rule apply to all programs or a specific program? select All programs then click on Next button

Select All Program

    • Form Protocol type list, select Any and then click on Next button

Select protocol to fix error 26 SQL server

    • Under Which remote OP addresses does this rule apply to? select These IP addresses and then click on Add button

Select These IP Addresses

    • In IP Address dialog box, under This IP address or subnet type the IP address and then click on Ok button

IP Address

    • Under What action should be taken when a connection matches the specified conditions? select Allow the connection and then click on Next button

click next to SQL network interfaces error 26

  • Click on the Next button to complete the New Outbound Rule Wizard steps

Other Possible Causes of SQL Server Error 26 with Solution

SQL Server does not allow remote connections

  • To resolve the SQL Server Error 26 open SQL Server Management Studio, Right click on the database and select properties
  • On Security page, select SQL Server and Windows Authentication mode and click on Ok button
  • Restart SQL Server

If you are still facing the Error 26, then there could be a same name conflict between two systems. Check whether the computer name, system name is same if yes, then try to system using its IP address. In addition this error 26 occurs with several issues that are mentioned below:

  • SQL network interfaces, error: 26 – error locating server/instance specified
  • provider: SQL network interfaces, error: 26 – error locating server/instance specified
  • a network related or instance specific error in SQL server error 26

Experts’ Recommended Solution to Counter Errors Causes Due to Corruption

Now when there is some sort of data corruption issues present in the server, the SQL database might react differently than what it should usually do. Therefore, experts often suggest users to get the automated repair & recovery tool.

Downlaod the tool & then follow easy steps to repair damaged data & solve SQL network interfaces error 26 with ease. In addition, if you want to know how to make SQL server faster then this tool can remove corruption as well. Ultimately resulting in a faster server.

Download Now Purchase Now

Step-1. Launch the Tool in your system & then Click the Open button.

select open button

Step-2. Select the Quick or Advanced Scan Mode as per your need.

Select mode

Step-3. Set the SQL Server database details to continue further.

Set Server

Step-4. Finally, Click on the Export button to finish the task.

export to fix sql server error 26

Frequently Asked Questions

Q-1. What is connection error 26 in SQL Express?

A: It is crucial for users to ensure that the name of their server is correct & no typo on the name is present. Always make sure that your SQL browser service is running on the server in case you are trying to connect SQL instance on another server. Your machine should be reachable.

Q-2. How do I fix error code 26?

A: The device drivers of your system are closely connected to the error 26. Removing all external devices can be a solution too here.

Q-3. What is SQL Server error 26 client unable to establish connection because an error was encountered during handshakes before login?

A: The most common reason for this is when a client connects to a unsupported version of SQL Server. Here the the error occurs because the server is too busy to accept the new connections. In some cases, resource limitation is also an issue where maximum allowed connected are pre defined.

Q-4. How do I fix SQL query error?

A: There are 4 steps to fix SQL query error as mentioned below:

  1. Navigate to the failing line in SQL query.
  2. Check failing SQL syntax in SQL query.
  3. Check query logic in joins, subqueries, or CTEs.
  4. Go to troubleshooting error messages to finish.

Q-5. How to restart SQL Server?

A: Go to SQL Server Configuration Manager >> Select SQL Server Services, Right Click a named instance or SQL Server> Select from Start, Stop, Pause, Resume & Restart options.

Q-6. How do I allow remote access to SQL Server database?

A: 5 Steps to allow remote access to SQL Server database:

  1. Start SSMS (SQL Server Management Studio)
  2. Go to Object Explorer & Right Click on Server
  3. Select Properties & then Click Connections
  4. Enable Allow Remote Connections to this Server
  5. Click on Ok to save & Finish the task.

Добрый день!

Прошу помощи в решении следующей проблемы.

Есть корпоративная сеть из нескольких машин с разрядностью как 32, так и 64. Авторизация происходит по доменным учетным записям.

Установила на 64-разрядную машину 2 пользовательских инстанса SQL Server 2008 R2: один со смешанным режимом авторизации (пользователь sa), другой с проверкой подлинности Windows.

1. Sql Browser запущен.

2. TCP IP включен.

3. Брандмауэр windows Отключен.

4. В Sql Server Management Studio стоит галочка: allow remote connections.

Локально все подключается нормально. Второй 64-разрядный комп в сети также спокойно подключается к инстансам.
32-разрядные компы же выдают следующую
ошибку
:

При установлении соединения с SQL Server произошла ошибка, связанная с сетью или с определенным экземпляром. Сервер не найден или недоступен. Убедитесь, что имя экземпляра указано правильно и что на SQL Server разрешены удаленные соединения. (provider:
SQL Network Interfaces, error: 26 — Ошибка при обнаружении указанного сервера или экземпляра)

Подскажите, в чем может быть проблема?

SQL Server Error 26 and SQL Server Error 40 appear when you try to connect to SQL Server. We will troubleshoot and try to fix them in the same article as both are related to connection issue. We recommend to use the below solutions for the both errors and to try to localize the problem.

The error Messages:

(provider: SQL Network Interfaces, error: 26 – Error Locating Server/Instance Specified)

A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that SQL Server is configured to allow remote connections. (provider: SQL Network Interfaces, error: 26 – Error Locating Server/Instance Specified)

“ Named Pipes Provider Error: 40 – Could not open a connection to SQL Server“.

A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that SQL Server is configured to allow remote connections. (provider: Named Pipes Provider, error: 40 – Could not open a connection to SQL Server)

A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that the SQL Server is configured to allow remote connections. (provided: Named Pipes Provider, error: 40- Could not open a connection to the SQL Server) (Microsoft SQL Server, Error: 2).

sql server error 26

sql server error 26

What is SQL Server Error 26?

You will get this error message while trying to connect to a SQL Server named instance and not when you use default instance. The client stack could not receive SSRP response UDP packet from SQL Browser.

How to fix Error 26 on SQL Server?

  1. Recheck the server name for any error and fix it
  2. Check the instance name for any error
  3. Check if SQL Server browser is running
  4. Control if this instance exist on server
  5. Ping the server and check if DNS can be resolved correctly

What is SQL Server Error 40?

This error appears mostly when SQL Server does not allow remote connections, Firewall Settings or TCP/IP is not enabled. We will explain below all those in order to troubleshoot easy.

Read also other SQL Server Helping Posts:

  1. How to fix SQL Server Error 229
  2. Fix SQL Server Error 233
  3. SQL Server Error 17002

How to fix error 40 on SQL Server?

  1. Check SQL Server is running
  2. Make sure that Allow Remote Connections is enabled on sql server properties
  3. Check if TCP/IP is enabled
  4. Configure to allow SQL Server in Firewall Settings
  5. Check for working fine SQL Server Browser
  6. Make sure that you can ping the SQL Server

Below we will explain the above steps in long way for better understanding and easy fix of SQL error 26 and sql error 40.

1. Check if SQL Services are running

Hint! If you are running SQL Server by using an instance name and you are not using a specific TCP/IP port number in your connection string, you must enable the SQL Server Browser service to allow for remote connections.

How to check if SQL Server Service is running?

  • Go to SQL Server Configuration Manager > SQL Server Services
  • Find the service SQL Server (MSSQLSERVER) if default or the name of your instance
  • Check if is running – should be running state with a green indication

Using Windows Command Prompt

sc query mssqlserver

For named instance name use below by by replacing instancename with the actual SQL Server instance name.

sc query mssql$instancename

How to check if SQL Server Browser is running?

  • Navigate to SQL Server Configuration Manager > SQL Server Services
  • Find the SQL Server Browser Service
  • Check if it is configured to start automatically and is started – should be with a green indication

Using Windows Command Prompt

sc query sqlbrowser

Check if SQL Server Service

Check if SQL Server Service

2. Try to Flush DNS

How to flush DNS?

  1. Click Start Button
  2. Type CMD and press enter
  3. Type this into the black window that appears: ipconfig /flushdns and press enter.

Fluish DNS

Fluish DNS

3. Make sure that allow Remote Connection is enabled

Check if remote connections is allowed for applications/client. This option need to be allowed to establish connections and perform operations on the server. Often this is the reason of SQL Server Error 26 and SQL Server Error 40.

How to check if the remote connection is enabled?

  1. Open ‘SQL Server Management Studio’
  2. Right click on database name and select ‘Properties’
  3. In ‘Properties’ window, select ‘Security’, enable `SQL Server and Windows Authentication mode` and click `OK`.
  4. Now restart the SQL server.

Allow Remote Connections

Allow Remote Connections

4. Check Firewall

Check the firewall status for any troubles:

  1. Open ‘Control Panel’ and after that ‘Windows Firewall’.
  2. Select ‘Change Settings’ In ‘Windows Firewall’,
  3. Add an exception for port ‘1434’ and name it ‘SQL Server’
  4. Enable by clicking on the checkbox

5. Connection String

This solution is on cases when you are using connection string and are you writing it wrongly. For example connection string used by .NET framework:

Server=serverAddress;Database=dbName;User Id=username;

Password=password;

  1. Check for each parameter passed in the connection string for any typographical errors.
  2. Control the validity of the username/password.
  3. Confirm if the given database exists.

6. TCPIP Protocol

This solutions can work when you have mix of default and named instance or named instances only.

How to Enable TCP/IP port?

  1. Open SQL Server Configuration Manager
  2. Click on SQL Server Network Configuration and click on Protocols for Name
  3. Right-click on TCP/IP
  4. Click Enable
  5. Restart your SQL Server instance

Enable TCP-Ip port

Enable TCP-Ip port

If you want to use a static port for your instance (instead of dynamic that changes after every restart) you can change it here.

  1. Open Properties for TCP/IP protocol
  2. Go to IP Addresses tab
  3. Scroll down to IPAll section
  4. Remove 0 value from TCP Dynamic Ports
  5. Specify your port in TCP Port

You can use this port to connect to your instance by providing <servername>,<port> or <IP>,<port> as Server Name (yes, there is a comma, not a colon).

TCP-Ip static port

TCP-Ip static port

Conclusion:

We have explained some solutions to fix SQL Server Error 26 and SQL Server Error 40 and hope that you find the fix on those solutions. The both errors are included on the same article because they have almost the same troubleshoot. If you have any other solution worked for you comment below and we will try to include it on our article.

Понравилась статья? Поделить с друзьями:
  • Error 1044 42000 access denied for user ошибка
  • Error 1004 ошибка при вызове
  • Error 1001 неизвестная ошибка 0x80005000
  • Error 064 пульсар как сбросить ошибку
  • Error 017 undefined symbol ошибка