Как подключиться к mariadb windows

Contents

  1. Connection Parameters
    1. host
    2. password
    3. pipe
    4. port
    5. protocol
    6. shared-memory-base-name
    7. socket
    8. TLS Options
      1. ssl
      2. ssl-ca
      3. ssl-capath
      4. ssl-cert
      5. ssl-cipher
      6. ssl-key
      7. ssl-crl
      8. ssl-crlpath
      9. ssl-verify-server-cert
    9. user
  2. Option Files
  3. See Also

This article covers connecting to MariaDB and the basic connection parameters. If you are completely new to MariaDB, take a look at A MariaDB Primer first.

In order to connect to the MariaDB server, the client software must provide the correct connection parameters. The client software will most often be the mariadb client, used for entering statements from the command line, but the same concepts apply to any client, such as a graphical client, a client to run backups such as mariadb-dump, etc. The rest of this article assumes that the mariadb command line client is used.

If a connection parameter is not provided, it will revert to a default value.

For example, to connect to MariaDB using only default values with the mariadb client, enter the following from the command line:

mariadb

In this case, the following defaults apply:

  • The host name is localhost.
  • The user name is either your Unix login name, or ODBC on Windows.
  • No password is sent.
  • The client will connect to the server with the default socket, but not any particular database on the server.

These defaults can be overridden by specifying a particular parameter to use. For example:

mariadb -h 166.78.144.191 -u username -ppassword database_name

In this case:

  • -h specifies a host. Instead of using localhost, the IP 166.78.144.191 is used.
  • -u specifies a user name, in this case username
  • -p specifies a password, password. Note that for passwords, unlike the other parameters, there cannot be a space between the option (-p) and the value (password). It is also not secure to use a password in this way, as other users on the system can see it as part of the command that has been run. If you include the -p option, but leave out the password, you will be prompted for it, which is more secure.
  • The database name is provided as the first argument after all the options, in this case database_name.
  • It will connect with the default tcp_ip port, 3306

Connection Parameters

host

--host=name
-h name

Connect to the MariaDB server on the given host. The default host is localhost. By default, MariaDB does not permit remote logins — see Configuring MariaDB for Remote Client Access.

password

--password[=passwd]
-p[passwd]

The password of the MariaDB account. It is generally not secure to enter the password on the command line, as other users on the system can see it as part of the command that has been run. If you include the -p or --password option, but leave out the password, you will be prompted for it, which is more secure.

pipe

--pipe
-W

On Windows systems that have been started with the --enable-named-pipe option, use this option to connect to the server using a named pipe.

port

--port=num
-P num

The TCP/IP port number to use for the connection. The default is 3306.

protocol

--protocol=name

Specifies the protocol to be used for the connection for the connection. It can be one of TCP, SOCKET, PIPE or MEMORY (case-insensitive). Usually you would not want to change this from the default. For example on Unix, a Unix socket file (SOCKET) is the default protocol, and usually results in the quickest connection.

  • TCP: A TCP/IP connection to a server (either local or remote). Available on all operating systems.
  • SOCKET: A Unix socket file connection, available to the local server on Unix systems only. If socket is not specified with —socket, in a config file or with the environment variable MYSQL_UNIX_PORT then the default /tmp/mysql.sock will be used.
  • PIPE. A named-pipe connection (either local or remote). Available on Windows only.
  • MEMORY. Shared-memory connection to the local server on Windows systems only.

shared-memory-base-name

--shared-memory-base-name=name

Only available on Windows systems in which the server has been started with the --shared-memory option, this specifies the shared-memory name to use for connecting to a local server. The value is case-sensitive, and defaults to MARIADB.

socket

--socket=name
-S name

For connections to localhost, this specifies either the Unix socket file to use (default /tmp/mysql.sock), or, on Windows where the server has been started with the --enable-named-pipe option, the name (case-insensitive) of the named pipe to use (default MARIADB).

TLS Options

A brief listing is provided below. See Secure Connections Overview and TLS System Variables for more detail.

ssl

--ssl

Enable TLS for connection (automatically enabled with other TLS flags). Disable with ‘--skip-ssl

ssl-ca

--ssl-ca=name

CA file in PEM format (check OpenSSL docs, implies --ssl).

ssl-capath

--ssl-capath=name

CA directory (check OpenSSL docs, implies --ssl).

ssl-cert

--ssl-cert=name

X509 cert in PEM format (implies --ssl).

ssl-cipher

--ssl-cipher=name

TLS cipher to use (implies --ssl).

ssl-key

--ssl-key=name

X509 key in PEM format (implies --ssl).

ssl-crl

--ssl-crl=name

Certificate revocation list (implies --ssl).

ssl-crlpath

--ssl-crlpath=name

Certificate revocation list path (implies --ssl).

ssl-verify-server-cert

--ssl-verify-server-cert

Verify server’s «Common Name» in its cert against hostname used when connecting. This option is disabled by default.

user

--user=name
-u name

The MariaDB user name to use when connecting to the server. The default is either your Unix login name, or ODBC on Windows. See the GRANT command for details on creating MariaDB user accounts.

Option Files

It’s also possible to use option files (or configuration files) to set these options. Most clients read option files. Usually, starting a client with the --help option will display which files it looks for as well as which option groups it recognizes.

See Also

  • A MariaDB Primer
  • mariadb client
  • Clients and Utilities
  • Configuring MariaDB for Remote Client Access
  • —skip-grant-tables allows you to start MariaDB without GRANT. This is useful if you lost your root password.

Summary: in this tutorial, you will learn how to connect to the MariaDB server using the mysql command-line program.

To connect to MariaDB, you can use any MariaDB client program with the correct parameters such as hostname, user name, password, and database name.

In the following section, you will learn how to connect to a MariaDB Server using the mysql command-line client.

Connecting to the MariaDB server with a username and password

The following command connects to the MariaDB server on the localhost:

mysql -u [username] -p[password]

Code language: SQL (Structured Query Language) (sql)

In this command:

-u specifies the username
-p specifies the password of the username

Note that the password is followed immediately after the -p option.

For example, this command connects to the MariaDB server on the localhost:

mysql -u root -pS@cure1Pass

Code language: SQL (Structured Query Language) (sql)

In this command, root is the username and S@cure1Pass is the password of the root user account.

Notice that using the password on the command-line can be insecure. Typically, you leave out the password from the command as follows:

mysql -u root -p

Code language: SQL (Structured Query Language) (sql)

It will prompt for a password. You type the password to connect the MariaDB server:

Enter password: ********

Code language: SQL (Structured Query Language) (sql)

Once you are connected, you will see a welcome screen with the following command-line:

mysql>

Code language: SQL (Structured Query Language) (sql)

Now, you can start using any SQL statement. For example, you can show all databases in the current server using the show databases command as follows:

mysql> show databases;

Code language: SQL (Structured Query Language) (sql)

Here is the output that shows the default databases:

+--------------------+ | Database | +--------------------+ | information_schema | | mysql | | performance_schema | | test | +--------------------+ 4 rows in set (0.01 sec)

Code language: SQL (Structured Query Language) (sql)

Connecting to the MariaDB server on a specific host

To connect to MariaDB on a specific host, you use the -h option:

mysql -u [username] -p[password] -h [hostname]

Code language: SQL (Structured Query Language) (sql)

For example, the following command connects to the MariaDB server with IP 172.16.13.5 using the root account:

mysql -u root -p -h 172.16.13.5

Code language: SQL (Structured Query Language) (sql)

It will also prompt for a password:

Enter password: ********

Code language: SQL (Structured Query Language) (sql)

Note that the root account must be enabled for remote access in this case.

Connecting to a specific database on the MariaDB server

To connect to a specific database, you specify the database name after all the options:

mysql -u [username] -p[password] -h [hostname] database_name

Code language: SQL (Structured Query Language) (sql)

The following command connects to the information_schema database of the MariaDB server on the localhost:

mysql -u root -p -h localhost information_schema Enter password: ********

Code language: SQL (Structured Query Language) (sql)

The mysql client command-line default parameters

When you type the mysql command with any option, mysql client will accept the default parameters.

mysql

Code language: SQL (Structured Query Language) (sql)

In this case:

  • The hostname is localhost
  • The username is either login name on Linux or ODBC on Windows
  • No password is sent
  • The client will connect to the server without any particular database.

In this tutorial, you will learn how to connect to the MariaDB server using the mysql command-line client.

Was this tutorial helpful ?

В этой статье рассматривается подключение к MariaDB и основные параметры подключения. Если вы совершенно не знакомы с MariaDB, сначала взгляните на A MariaDB Primer .

Для подключения к серверу MariaDB клиентское программное обеспечение должно предоставить правильные параметры подключения. Клиентским программным обеспечением чаще всего будет mariadb client , используемое для ввода операторов из командной строки, но те же концепции применимы к любому клиенту, такому как graphical client , клиент для запуска резервных копий, такой как mariadb-dump и т. д. Остальная часть этой статьи предполагает что используется клиент командной строки mariadb.

Если параметр подключения не указан, он вернется к значению по умолчанию.

Например, чтобы подключиться к MariaDB, используя только значения по умолчанию с клиентом mariadb, введите в командной строке следующее:

mariadb

В этом случае применяются следующие значения по умолчанию:

  • Имя хоста localhost .
  • Имя пользователя — это либо ваше имя для входа в Unix, либо ODBC в Windows.
  • Пароль не отправляется.
  • Клиент будет подключаться к серверу через сокет по умолчанию, но не к какой-либо конкретной базе данных на сервере.

Эти значения по умолчанию можно переопределить, указав конкретный параметр для использования. Например:

mariadb -h 166.78.144.191 -u username -ppassword database_name

В этом случае:

  • -h указывает хост. Вместо localhost используется IP 166.78.144.191 .
  • -u указывает имя пользователя, в данном случае username .
  • -p указывает пароль password . Обратите внимание, что для паролей, в отличие от других параметров, не может быть пробела между параметром ( -p ) и значением ( password ). Также небезопасно использовать пароль таким образом, так как другие пользователи в системе могут видеть его как часть запущенной команды. Если вы включите опцию -p , но не введете пароль, вам будет предложено ввести его, что более безопасно.
  • Имя базы данных предоставляется в качестве первого аргумента после всех опций, в данном случае database_name .
  • Он будет подключаться к порту tcp_ip по умолчанию, 3306.

Connection Parameters

host

--host=name
-h name

Подключитесь к серверу MariaDB на данном хосте. Хост по умолчанию — localhost . По умолчанию MariaDB не разрешает удаленный вход в систему — см. Configuring MariaDB for Remote Client Access .

password

--password[=passwd]
-p[passwd]

Пароль учетной записи MariaDB. Как правило, вводить пароль в командной строке небезопасно, так как другие пользователи системы могут видеть его как часть запущенной команды. Если вы включите опцию -p или --password , но не укажете пароль, вам будет предложено ввести его, что является более безопасным.

pipe

--pipe
-W

В системах Windows, которые были запущены с параметром --enable-named-pipe , используйте этот параметр для подключения к серверу с использованием именованного канала.

port

--port=num
-P num

Номер порта TCP/IP для подключения. По умолчанию 3306 .

protocol

--protocol=name

Указывает протокол, который будет использоваться для соединения для соединения. Это может быть один из TCP , SOCKET , PIPE или MEMORY (case-insensitive). Обычно вы не хотите менять это значение по умолчанию. Например, в Unix файл сокета Unix ( SOCKET ) является протоколом по умолчанию и обычно обеспечивает самое быстрое соединение.

  • TCP : соединение TCP/IP с сервером (локальным или remote).). Доступно во всех операционных системах.
  • SOCKET : Соединение с файлом сокета Unix, доступное для локального сервера только в системах Unix. Если сокет не указан с —socket, в файле конфигурации или с переменной окружения MYSQL_UNIX_PORT , будет использоваться /tmp/mysql.sock по умолчанию.
  • PIPE . Соединение по именованному каналу (локальное или remote).. Доступно только в Windows.
  • Т1482Т. Соединение с общей памятью с локальным сервером только в системах Windows.

shared-memory-base-name

--shared-memory-base-name=name

Доступно только в системах Windows, в которых сервер был запущен с параметром --shared-memory . Он указывает имя общей памяти, используемое для подключения к локальному серверу. Значение чувствительно к регистру и по умолчанию равно MARIADB .

socket

--socket=name
-S name

Для соединений с локальным хостом это указывает либо используемый файл сокета Unix (по умолчанию /tmp/mysql.sock ), либо в Windows, где сервер был запущен с параметром --enable-named-pipe , имя (без учета регистра) именованного канала для использования (по умолчанию MARIADB ).

TLS Options

Краткий перечень представлен ниже. Подробнее см. Secure Connections Overview и TLS System Variables .

ssl

--ssl

Включить TLS для подключения (автоматически включается с другими TLS flags). Отключить с помощью « --skip-ssl »

ssl-ca

--ssl-ca=name

Файл CA в формате PEM (проверьте документы OpenSSL, подразумевается --ssl ).

ssl-capath

--ssl-capath=name

Каталог CA (проверьте документы OpenSSL, подразумевается --ssl ).

ssl-cert

--ssl-cert=name

Сертификат X509 в формате PEM (подразумевается --ssl ).

ssl-cipher

--ssl-cipher=name

Используемый шифр TLS (подразумевается --ssl ).

ssl-key

--ssl-key=name

Ключ X509 в формате PEM (подразумевается --ssl ).

ssl-crl

--ssl-crl=name

Список отозванных сертификатов (подразумевается --ssl ).

ssl-crlpath

--ssl-crlpath=name

Путь к списку отозванных сертификатов (подразумевается --ssl ).

ssl-verify-server-cert

--ssl-verify-server-cert

Сверьте имя сервера «Common в его сертификате с именем хоста, используемым при подключении. По умолчанию этот параметр отключен.

user

--user=name
-u name

Имя пользователя MariaDB для использования при подключении к серверу. По умолчанию используется либо ваше имя для входа в Unix, либо ODBC в Windows. Подробнее о создании учетных записей пользователей MariaDB см. команду GRANT .

Option Files

Также можно использовать файлы опций (или файлы конфигурации) для установки этих опций. Большинство клиентов читают файлы опций. Обычно при запуске клиента с параметром --help отображаются файлы, которые он ищет, а также группы параметров, которые он распознает.

See Also

  • Грунтовка MariaDB
  • mariadb client
  • Клиенты и утилиты
  • Настройка MariaDB для удаленного клиентского доступа
  • —skip-grant-tables позволяет запустить MariaDB без GRANT . Это полезно, если вы потеряли пароль root.

Контент, воспроизведенный на этом сайте, является собственностью его соответствующих владельцев, и этот контент не просматривается заранее MariaDB.. Взгляды, информация и мнения, выраженные в этом контенте, не обязательно отражают точку зрения MariaDB или любой другой стороны.

На чтение 4 мин Опубликовано Обновлено

MariaDB — это популярная и мощная система управления базами данных, развиваемая сообществом разработчиков. Она совместима с MySQL, но имеет ряд преимуществ, включая более широкий набор функций и лучшую производительность. Если вы хотите использовать MariaDB на своем компьютере с операционной системой Windows, вам потребуется подключиться к базе данных. В этой статье мы предоставим вам пошаговую инструкцию о том, как это сделать.

Шаг 1: Скачайте и установите MariaDB. Перейдите на официальный сайт MariaDB (https://mariadb.org) и скачайте последнюю версию для Windows. Запустите установщик, следуйте инструкциям и укажите необходимые настройки.

Шаг 2: Запустите MariaDB. После установки MariaDB перейдите в меню Пуск, найдите папку MariaDB и откройте программу «MariaDB Server». Это запустит сервер базы данных.

Шаг 3: Откройте командную строку MariaDB. Найдите программу «MariaDB Command Line Client» в меню Пуск и запустите ее. Откроется командная строка, где вы сможете вводить команды для работы с базой данных.

Шаг 4: Введите команду для подключения к базе данных. На командной строке введите команду «mysql -u username -p», где «username» — ваше имя пользователя MariaDB. После ввода команды нажмите Enter.

Шаг 5: Введите пароль для подключения. После ввода команды для подключения к базе данных, система попросит вас ввести пароль. Введите пароль и нажмите Enter.

Поздравляем! Вы успешно подключились к MariaDB на Windows. Теперь вы можете выполнять различные операции с вашей базой данных, создавать таблицы, вставлять и извлекать данные и многое другое. Удачи в работе с MariaDB!

Установка MariaDB на Windows

Установка MariaDB на операционную систему Windows довольно проста. Вам понадобится загрузить установочный файл MariaDB с официального сайта, а затем следовать инструкциям по установке.

Шаги установки MariaDB на Windows:

  1. Загрузите установочный файл MariaDB с официального сайта. Выберите соответствующую версию в зависимости от разрядности вашей операционной системы (32-битная или 64-битная).
  2. Запустите установочный файл MariaDB. Вам может потребоваться предоставить права администратора для установки.
  3. Выберите язык установки и нажмите «Next».
  4. Прочитайте лицензионное соглашение, примите его условия и нажмите «Next».
  5. Выберите компоненты, которые вы хотите установить. Оставьте настройки по умолчанию, если вы не знаете, что выбрать, и нажмите «Next».
  6. Выберите папку назначения для установки MariaDB. Оставьте путь по умолчанию или выберите кастомную папку и нажмите «Next».
  7. Выберите имя для экземпляра службы MariaDB. Оставьте имя по умолчанию или введите свое имя и нажмите «Next».
  8. Настройте пароль для пользователя root (главного администратора базы данных). Укажите пароль и повторите его для подтверждения. Нажмите «Next».
  9. Выберите режим установки (стандартный или детальный) и указывайте требуемые данные, если выбрали детальный режим. Нажмите «Next».
  10. Проверьте настройки установки и нажмите «Install» для начала установки.
  11. После завершения установки нажмите «Finish».

После установки MariaDB вы можете запустить программу и начать использовать базу данных.

Настройка подключения к MariaDB

Перед тем как начать использовать MariaDB, необходимо настроить подключение к базе данных. Ниже приведены шаги для настройки подключения на операционной системе Windows:

Шаг 1: Убедитесь, что MariaDB успешно установлена на вашем компьютере. Если у вас еще нет MariaDB, вы можете найти инструкции по установке в официальной документации.

Шаг 2: Откройте командную строку. Для этого нажмите клавишу Win + R, введите «cmd» в поле «Выполнить» и нажмите Enter.

Шаг 3: В командной строке введите следующую команду для запуска клиента MariaDB: mysql -u root -p. Нажмите Enter.

Шаг 4: Введите пароль для пользователя «root». Если вы не установили пароль при установке MariaDB, оставьте поле пустым и нажмите Enter.

Шаг 5: Если все прошло успешно, вы увидите приглашение «>». Это означает, что вы успешно подключились к MariaDB.

Теперь вы готовы начать работу с базой данных MariaDB. Вы можете выполнить SQL-запросы и управлять данными с помощью команд MariaDB.

In this MariaDB tutorial, we will learn about the “MariaDB enable remote access“, here we will enable the MariaDB server for remote connection so that other machines at different servers can access it. Additionally, we will cover the following topics.

  • MariaDB enable remote access on Linux
  • MariaDB enable remote access on Windows

MariaDB is an open-source and free relational database, that is forked from MySQL and very popular in the United States. Sometimes we need to access the database from another machine or place for that we allow the MariaDB to connect to the remote machine.

After enabling the MariaDB for remote connection, its database or information can be accessed from anywhere in the world from any database server.

By default, MariaDB is accessible only to the local system (localhost) or on the machine where the MariaDB server is installed. So here we will configure the setting of MariaDB for remote access to all IP addresses.

Here we will use the two different machines with different operating systems( Windows and CentOS) for the demonstration of remote access to the database. The MariaDB server installed on CentOS will be accessed by the client on the Windows machines.

Before beginning, make sure that the MariaDB install on both machines.

If you don’t know how to install MariaDB on different operating systems then refer to our tutorials “How to install MariaDB + Uninstallation steps” for installing the MariaDB.

First setting the MariaDB server on Ubuntu for remote connection, we need to configure the file mariadb-server.cnf that is a configuration file that exists at the location /etc/my.cnf.d/mariadb-server.cnf.

  • Open the file using any text editor.
sudo nano /etc/my.cnf.d/mariadb-server.cnf
MariaDB enable remote access tutorial
MariaDB enable remote access tutorial
  • After opening the file mariadb-server.cnf, change the bind-address from 127.0.0.1 to 0.0.0.0 otherwise leave it as default.
MariaDB enable remote access example
  • Now save and close the file using the command CTRL+O followed by CTRL+X.
  • Run the below command to restart the MariaDB server.
sudo systemctl restart mariadb
  • After restarting the MariaDB server, it is ready to listen to all IP addresses.
  • Allow access to a user from a remote machine, follow the below steps:
  • Log in to the MariaDB prompt using the below code, if it asks for a password enter the password.
sudo mysql -u root -p     -- login into MariaDB prompt
  • Create a database named ‘client’.
CREATE DATBASE client;
  • Create a new user using the below query.
CREATE USER 'Jhon'@'%' IDENTIFIED BY '12345';

Where,

  • CREATE USER ‘Jhon’@’%’: It is the command to create a new user in MariaDB, here we create the user 'Jhon' and it can be accessed from any IP address that is specified using the percentage symbol (%).
  • IDENTIFIED BY ‘12345’: It is the command to specify the password for the user that we are creating. So we can access the user 'Jhon' with password '12345'.

Then grant permission for all kinds of privileges to user ‘Jason’ using the below code. If you don’t know about how permission is granted to a user, then follow our tutorial “How to Grant All Privileges in MariaDB”.

GRANT ALL PRIVILEGES ON *.* TO 'Jhon'@'%' IDENTIFIED BY '12345' WITH GRANT OPTION;

At last, flush the privileges using the below code.

FLUSH PRIVILEGES;
MariaDB enable remote access database and user
MariaDB enable remote access database and user

Let’s open the command line on windows and type the below code to connect the MariaDB running on CentOS.

mysql -u Jhon -p -h 192.168.253.130

Where,

  • mysql -u Jhon -p: The mysql is the command to access the user 'Jhon' that can be specified using the option -u that represents the user and -p is for entering the password of that user 'Jhon'.
  • -h 192.168.253.130 : -h is used to specify the host address where MariaDB serve is running. So here MariaDB server is running on a machine with an IP address 192.168.253.130.
MariaDB enable remote access
MariaDB enable remote access

From the above output, we have successfully logged into the MariaDB server.

Also, check: How to Create Table in MariaDB

MariaDB enable remote access on windows

While installing MariaDB on windows check mark for the option 'Enable access from the remote machine for root user'.

MariaDB enable remote access on windows example
MariaDB enable remote access on windows example

After enabling the option for remote access, proceed with installation.

Now we will be able to access the MariaDB server running on Windows from any machine. Use the below code on another machine to access the MariaDB server on windows as here for demonstration we will use the CentOS machine.

mysql -u root -p -h 192.168.50.135

Where,

  • mysql -u root -p: The mysql is the command to access the user 'root' that can be specified using the option -u that represents the user and -p is for entering the password of that user 'root'.
  • -h 192.168.50.135 : -h is used to specify the host address where MariaDB serve is running. So here MariaDB server is running on a machine with an IP address 192.168.50.135.
MariaDB enable remote access on windows tutorial
MariaDB enable remote access on windows tutorial

As from the output, we have logged into MariaDB on windows from the CentOS machine successfully.

Let’s access the database from the remote by creating a new user in the MariaDB on windows.

Log in to the MariaDB prompt using the below code, if it asks for a password enter the password.

mysql -u root -p     -- login into MariaDB prompt

Create a new user using the below query.

CREATE USER 'Jason'@'%' IDENTIFIED BY '12345';

Where,

  • CREATE USER ‘Jason’@’%’: It is the command to create a new user in MariaDB, here we create the user 'Jason' and it can be accessed from any IP address that is specified using the percentage symbol (%).
  • IDENTIFIED BY ‘12345’: It is the command to specify the password for the user that we are creating. So we can access the user 'Jason' with password '12345'.

Then grant permission for all kinds of privileges to user ‘Jason’ using the below code. If you don’t know about how permission is granted to a user, then follow our tutorial “How to Grant All Privileges in MariaDB”.

GRANT ALL PRIVILEGES ON *.* TO 'Jason'@'%' IDENTIFIED BY '12345' WITH GRANT OPTION;

At last, flush the privileges using the below code.

FLUSH PRIVILEGES;
MariaDB enable remote access on windows user
MariaDB enable remote access on windows user

Now restart the MariaDB on windows, press Windows key + R to open the RUN box and type the following command 'services.msc' in that box, a window appears that contains all the services running on windows.

In that window search for the MairaDB and click on the restart as shown in the below output.

MariaDB enable remote access on windows restart
MariaDB enable remote access on windows restart

After restarting the MariaDB on windows, open the terminal on the CentOS machine and type the below code to access the database running on a windows machine.

mysql -u Jason -p -h 192.123.50.135

Where,

  • mysql -u Jason -p: The mysql is the command to access the user 'Jason' that can be specified using the option -u that represents the user and -p is for entering the password of that user 'Jason'.
  • -h 192.123.50.135 : -h is used to specify the host address where MariaDB serve is running. So here MariaDB server is running on a machine with an IP address 192.123.50.135.
MariaDB enable remote access on windows
MariaDB enable remote access on windows

From the output, we have successfully logged into the MariaDB server on Windows from CentOS.

Also, take a look at some more MariaDB tutorials.

  • MariaDB Backup Database
  • MariaDB JSON Data Type
  • MariaDB Foreign Key + Examples
  • MariaDB Left Join – Helpful Guide
  • Create Database in MariaDB
  • Grant User Access to a MariaDB
  • How to create a user in MariaDB
  • How To Check MariaDB Version

So in this tutorial, we have learned about the “MariaDB enable remote access” and covered the following topics.

  • MariaDB enable remote access on Linux
  • MariaDB enable remote access on Windows

Bijay

I am Bijay having more than 15 years of experience in the Software Industry. During this time, I have worked on MariaDB and used it in a lot of projects. Most of our readers are from the United States, Canada, United Kingdom, Australia, New Zealand, etc.

Want to learn MariaDB? Check out all the articles and tutorials that I wrote on MariaDB. Also, I am a Microsoft MVP.

  • Как подключиться к ftp серверу на windows 10
  • Как подключить электрогитару к компьютеру на windows 10
  • Как подключить шрифт в windows
  • Как подключить яндекс диск как сетевой диск в windows 10 отказано в доступе
  • Как подключить центр обновления windows 10