I am trying to convert SQL inner join query into PostgreSQL inner join query. In this inner join query which tables are using that all tables are not present in one database. we separated tables into two databases i.e. application db and security db
- users and permission table are present in security db
- userrolemapping and department are present in application db
I tried like below but I am getting following error
Error
ERROR: cross-database references are not implemented: "Rockefeller_ApplicationDb.public.userrolemapping"
LINE 4: INNER JOIN "Rockefeller_ApplicationDb".public.userro..
SQL Stored Function
SELECT Department.nDeptID
FROM Users INNER JOIN Permission
ON Users.nUserID = Permission.nUserID INNER JOIN UserRoleMapping
ON Users.nUserID = UserRoleMapping.nUserID INNER JOIN Department
ON Permission.nDeptInst = Department.nInstID
AND Department.nInstID = 60
WHERE
Users.nUserID = 3;
PostgreSQL Stored Function
SELECT dep.ndept_id
FROM "Rockefeller_SecurityDb".public.users as u
INNER JOIN "Rockefeller_SecurityDb".public.permissions p ON u.nuser_id = p.nuser_id
INNER JOIN "Rockefeller_ApplicationDb".public.userrolemapping as urm ON u.nuser_id = urm.nuser_id
INNER JOIN "Rockefeller_ApplicationDb".public.department dep ON p.ndept_inst = dep.ninst_id
AND dep.ninst_id = 60
WHERE
u.nuser_id = 3;
asked Aug 10, 2018 at 10:52
1
You cannot join tables from different databases.
Databases are logically separated in PostgreSQL by design.
If you want to join the tables, you should put them into different schemas in one database rather than into different databases.
Note that what is called “database” in MySQL is called a “schema” in standard SQL.
If you really need to join tables from different databases, you need to use a foreign data wrapper.
answered Aug 10, 2018 at 12:43
Laurenz AlbeLaurenz Albe
192k17 gold badges177 silver badges233 bronze badges
8
For future searchs, you can to use dblink to connect to other database.
Follow commands:
create extension dblink;
SELECT dblink_connect('otherdb','host=localhost port=5432 dbname=otherdb user=postgres password=???? options=-csearch_path=');
SELECT * FROM dblink('otherdb', 'select field1, field2 from public.tablex')
AS t(field1 text, field2 text);
answered Jul 22, 2020 at 11:58
New to postrgreSQL and I had the same requirement. FOREIGN DATA WRAPPER did the job.
IMPORT FOREIGN SCHEMA — import table definitions from a foreign server
But first I had to:
-
enable the fdw extension
-
define the foreign server (which was the locahost in this case!)
-
create a mapping between the local user and the foreign user.
CREATE EXTENSION postgres_fdw;
CREATE SERVER localsrv
FOREIGN DATA WRAPPER postgres_fdw
OPTIONS (host 'localhost', dbname 'otherdb', port '5432');
CREATE USER MAPPING FOR <local_user>
SERVER localsrv
OPTIONS (user 'ohterdb_user', password 'ohterdb_user_password');
IMPORT FOREIGN SCHEMA public
FROM SERVER localsrv
INTO public;
After that I could use the foreign tables as if they were local. I did not notice any performance cost.
Jeremy Caney
6,83354 gold badges48 silver badges74 bronze badges
answered Dec 6, 2021 at 20:40
In my case, I changed my query from:
SELECT * FROM myDB.public.person
to this:
SELECT * FROM "myDB".public.cats
and it worked.
You can read more at mathworks.com.
answered Feb 20, 2022 at 9:57
BehnamBehnam
9412 gold badges14 silver badges38 bronze badges
I am trying to convert SQL inner join query into PostgreSQL inner join query. In this inner join query which tables are using that all tables are not present in one database. we separated tables into two databases i.e. application db and security db
- users and permission table are present in security db
- userrolemapping and department are present in application db
I tried like below but I am getting following error
Error
ERROR: cross-database references are not implemented: "Rockefeller_ApplicationDb.public.userrolemapping"
LINE 4: INNER JOIN "Rockefeller_ApplicationDb".public.userro..
SQL Stored Function
SELECT Department.nDeptID
FROM Users INNER JOIN Permission
ON Users.nUserID = Permission.nUserID INNER JOIN UserRoleMapping
ON Users.nUserID = UserRoleMapping.nUserID INNER JOIN Department
ON Permission.nDeptInst = Department.nInstID
AND Department.nInstID = 60
WHERE
Users.nUserID = 3;
PostgreSQL Stored Function
SELECT dep.ndept_id
FROM "Rockefeller_SecurityDb".public.users as u
INNER JOIN "Rockefeller_SecurityDb".public.permissions p ON u.nuser_id = p.nuser_id
INNER JOIN "Rockefeller_ApplicationDb".public.userrolemapping as urm ON u.nuser_id = urm.nuser_id
INNER JOIN "Rockefeller_ApplicationDb".public.department dep ON p.ndept_inst = dep.ninst_id
AND dep.ninst_id = 60
WHERE
u.nuser_id = 3;
asked Aug 10, 2018 at 10:52
1
You cannot join tables from different databases.
Databases are logically separated in PostgreSQL by design.
If you want to join the tables, you should put them into different schemas in one database rather than into different databases.
Note that what is called “database” in MySQL is called a “schema” in standard SQL.
If you really need to join tables from different databases, you need to use a foreign data wrapper.
answered Aug 10, 2018 at 12:43
Laurenz AlbeLaurenz Albe
192k17 gold badges177 silver badges233 bronze badges
8
For future searchs, you can to use dblink to connect to other database.
Follow commands:
create extension dblink;
SELECT dblink_connect('otherdb','host=localhost port=5432 dbname=otherdb user=postgres password=???? options=-csearch_path=');
SELECT * FROM dblink('otherdb', 'select field1, field2 from public.tablex')
AS t(field1 text, field2 text);
answered Jul 22, 2020 at 11:58
New to postrgreSQL and I had the same requirement. FOREIGN DATA WRAPPER did the job.
IMPORT FOREIGN SCHEMA — import table definitions from a foreign server
But first I had to:
-
enable the fdw extension
-
define the foreign server (which was the locahost in this case!)
-
create a mapping between the local user and the foreign user.
CREATE EXTENSION postgres_fdw;
CREATE SERVER localsrv
FOREIGN DATA WRAPPER postgres_fdw
OPTIONS (host 'localhost', dbname 'otherdb', port '5432');
CREATE USER MAPPING FOR <local_user>
SERVER localsrv
OPTIONS (user 'ohterdb_user', password 'ohterdb_user_password');
IMPORT FOREIGN SCHEMA public
FROM SERVER localsrv
INTO public;
After that I could use the foreign tables as if they were local. I did not notice any performance cost.
Jeremy Caney
6,83354 gold badges48 silver badges74 bronze badges
answered Dec 6, 2021 at 20:40
In my case, I changed my query from:
SELECT * FROM myDB.public.person
to this:
SELECT * FROM "myDB".public.cats
and it worked.
You can read more at mathworks.com.
answered Feb 20, 2022 at 9:57
BehnamBehnam
9412 gold badges14 silver badges38 bronze badges
Introduction
The restore process which is focusing only into the execution of an insert statement ended in a failure. Actually, there is an SQL file containing hundreds of records or rows available as values for insert query in its associated columns. But the process for importing those records or row data fail because of a certain cause. The following is the execution of the process for importing records or row data from an SQL file with the name of ‘insert-active-employee.sql’ :
C:>psql -Udb_user -d db_app < "C:UsersPersonalDownloadsinsert-active-employee.sql" Password for user db_user: ERROR: cross-database references are not implemented: "main.dbo.employee" LINE 1: INSERT INTO main.dbo.employee (name,birthdate,address... ^
Solution
Actually, the solution for solving the above problem is very simple. It exist in the name of the database which is being the target for the import process. There is no cross-reference database in this context. The SQL file actually exist as the process from Microsoft SQL Server backup or SQL insert statement generated process. In other words, the SQL file source is from Microsoft SQL Server. But the target for the restore process is not a Microsoft SQL Server. Instead, it is a PostgreSQL database server as the target of the database. The solution is very simple, just replace the cross-database references above with another suitable format.
So, check the database PostgreSQL name and then look up for the table. Actually in the command for restoring or importing the records or the row data, the database name is already becoming part of the value from one of the argument. The argument exist in ‘-d db_app’ where the database name is ‘db_app.
The only part left is to edit the SQL file further. Just replace the cross-database references exist in the above which is ‘main.dbo.employee’ into a name of a table from the database ‘db_app’. In this context as an example it is ”. The following is the pattern of the INSERT statement available in the SQL file before the editing process :
INSERT INTO main.dbo.employee (name,birthdate,address... VALUES(...,,,)
Following after, below is the actual content of the SQL file after the editing process :
INSERT INTO public.org_employee (name,birthdate,address... VALUES(...,,,)
Since, PostgreSQL has a default schema of ‘public’, so the definition of the table will have a reference of ‘public.org_employee’ where ‘org_employee’ is the name of the table itself. After editing it, just execute it once more and the INSERT query process will be proceed normally if there are no more errors exist.
очень простое обновление базы данных postgresql, и оно не работает. Оператор sql select в порядке и возвращает правильные значения.
Когда я добираюсь до обновления, он выдает ошибку:
{"ERROR [0A000] ERROR: cross-database references are not implemented: "openerp.public.product_template"; Error while executing the query"}.
Я использую vb.net и postgresql 9.2.
Все, что я хочу, это изменить поле имени, чтобы оно соответствовало описанию.
log:
LOG 0 duration: 34.000 ms statement: SELECT * FROM product_template where import_date = '08/22/2013'
LOG 0 duration: 11.000 ms statement: select n.nspname, c.relname, a.attname, a.atttypid, t.typname, a.attnum, a.attlen, a.atttypmod, a.attnotnull, c.relhasrules, c.relkind, c.oid, d.adsrc from (((pg_catalog.pg_class c inner join pg_catalog.pg_namespace n on n.oid = c.relnamespace and c.oid = 20496) inner join pg_catalog.pg_attribute a on (not a.attisdropped) and a.attnum > 0 and a.attrelid = c.oid) inner join pg_catalog.pg_type t on t.oid = a.atttypid) left outer join pg_attrdef d on a.atthasdef and d.adrelid = a.attrelid and d.adnum = a.attnum order by n.nspname, c.relname, attnum
LOG 0 duration: 12.000 ms parse _PLAN000000001D2CFB60: SELECT * FROM product_template where import_date = '08/22/2013'
LOG 0 duration: 11.000 ms statement: select ta.attname, ia.attnum, ic.relname, n.nspname, tc.relname from pg_catalog.pg_attribute ta, pg_catalog.pg_attribute ia, pg_catalog.pg_class tc, pg_catalog.pg_index i, pg_catalog.pg_namespace n, pg_catalog.pg_class ic where tc.oid = 20496 AND tc.oid = i.indrelid AND n.oid = tc.relnamespace AND i.indisprimary = 't' AND ia.attrelid = i.indexrelid AND ta.attrelid = i.indrelid AND ta.attnum = i.indkey[ia.attnum-1] AND (NOT ta.attisdropped) AND (NOT ia.attisdropped) AND ic.oid = i.indexrelid order by ia.attnum
LOG 0 duration: 0.000 ms statement: select current_schema()
LOG 0 duration: 1.000 ms statement: select c.relhasrules, c.relkind, c.relhasoids from pg_catalog.pg_namespace u, pg_catalog.pg_class c where u.oid = c.relnamespace and c.relname = 'product_template' and u.nspname = 'public'
LOG 0 duration: 1.000 ms statement: select c.relhasrules, c.relkind, c.relhasoids from pg_catalog.pg_namespace u, pg_catalog.pg_class c where u.oid = c.relnamespace and c.relname = 'product_template' and u.nspname = 'public'
ERROR 0A000 cross-database references are not implemented: "openerp.public.product_template"
Код:
Private Sub btnChgNameToDescr_Click(sender As Object, e As EventArgs) Handles btnChgNameToDescr.Click
Dim objConn As New System.Data.Odbc.OdbcConnection
Dim objCmd As New System.Data.Odbc.OdbcCommand
Dim dtAdapter As New System.Data.Odbc.OdbcDataAdapter
Dim ds As New DataSet
Me.Cursor = System.Windows.Forms.Cursors.WaitCursor
Dim strConnString As String
Dim strSQL As String
Dim iRecCount As Integer
Me.Cursor = System.Windows.Forms.Cursors.WaitCursor
If objConn.State = ConnectionState.Open Then
'do nothing
Else
strConnString = "Dsn=PostgreSQL35W;database=OpenERP;server=localhost;port=5432;uid=openpg;pwd=openpgpwd"
objConn.ConnectionString = strConnString
objConn.Open()
End If
If Me.txtImportDate.Text = "" Then
MsgBox("Import Date field cannot be blank.")
Exit Sub
End If
Dim str_import_date As String = Me.txtImportDate.Text
strSQL = "SELECT * FROM product_template where import_date = " & "'" & str_import_date & "'"
dtAdapter.SelectCommand = objCmd
With objCmd
.Connection = objConn
.CommandText = strSQL
.CommandType = CommandType.Text
.ExecuteNonQuery()
dtAdapter.Fill(ds, "product_template")
iRecCount = ds.Tables("product_template").Rows.Count
End With
If iRecCount = 0 Then
MsgBox("No records found.")
Me.Cursor = System.Windows.Forms.Cursors.Default
Exit Sub
End If
Dim cb As New Odbc.OdbcCommandBuilder(dtAdapter)
'change the name field to item_description
With ds
For i As Integer = 0 To .Tables("product_template").Rows.Count - 1
'this works, returns a string
Dim str_default_code As String = (.Tables(0).Rows(i).Item("name").ToString)
'this works
Dim str_item_description As String = (.Tables(0).Rows(i).Item("description").ToString)
.Tables("product_template").Rows(i).Item("name") = str_item_description
'setting the variable doesn't work either - Dim str_item_description As String = "BH LITE BRT"
'this throws the error
dtAdapter.Update(ds, "product_template")
Next
End With
Me.Cursor = System.Windows.Forms.Cursors.Default
End Sub
ERROR: cross-database references are not implemented
You face this error while trying to query two tables from difference databases in Postgres, as Postgress is unlike SQL Server, you can’t join two tables from different databases.
Instead you may have One Database with Two different Schemas.
Schemas group your data tables separately and give you the flexibility to query and join tables from across schemas in the same Database.
So if you have DB1 and DB2, you need to move the tables in DB2 to DB1 but in a new schema.
If you are using the public schema in DB2 you need to change the name:
alter schema public rename to new_schema_name;
create schema public;
Now Backup your Schema:
$ pg_dump --format custom --file "my_backup" --schema "
new_schema_name
" "db2" $ pg_restore --dbname "db1" "my_backup"
Your Done. If you have any question please let me know.
Popular posts from this blog
Google Adsense is a web tool that allows publishers in the Google Network of content sites to automatically serve text, image, video, and rich media adverts that are targeted to site content and audience. These adverts are administered, sorted, and maintained by Google, and they can generate revenue on either a per-click or per-impression basis. Google servers advertisers using google adwords platform, while adsense is the publishers platform. Google Adsense is the top Ad Publishers platform over the web ranking number one in web advertising industry. Adsense offers contextual advertisements that covers web sites, blogs, games, videos, mobile browsing etc. What made Google Adsense no. 1 is the reliability, stability, variety of services and large number of publishers including google it self. Also google has a fair platform that detects invalid clicks so google successfully protects its advertisers and also offers its best publishers top CPC. Two reasons are behind people think
I have downloaded Bit Torrent software and when trying to download I got an error after few seconds saying: Error: Write to Disk Access Denied Solving this problem is so simple: Shut down BitTorrent program. Go to Start and in the small search box on top of windows start button start typing Bittorrent and the program will show, right click with the mouse on the icon and Run as Administrator. All ur problems are sorted out now and you can enjoy downloading… Good Luck.
After installing Python on Windows 10. When trying to open IDLE, Python’s IDE, you might get a message saying that » IDLE’s subprocess didn’t make connection . Either IDLE can’t start a subprocess or personal firewall software is blocking the connection «. To solve this issue just run IDLE as an Administrator, by right click on the IDLE icon and click Run as administrator. See Photo below:
Problem
When performing an upgrade from JIRA 6.1.x to JIRA 7.1.x with your instance connected to a Postgres DB, the upgrade fails. The following error appears in the atlassian-jira.log:
Exception thrown during upgrade: ERROR: cross-database references are not implemented: "public.audit_item.idx_audit_item_log_id"
org.postgresql.util.PSQLException: ERROR: cross-database references are not implemented: "public.audit_item.idx_audit_item_log_id"
at org.postgresql.core.v3.QueryExecutorImpl.receiveErrorResponse(QueryExecutorImpl.java:2101)
at org.postgresql.core.v3.QueryExecutorImpl.processResults(QueryExecutorImpl.java:1834)
at org.postgresql.core.v3.QueryExecutorImpl.execute(QueryExecutorImpl.java:255)
at org.postgresql.jdbc2.AbstractJdbc2Statement.execute(AbstractJdbc2Statement.java:510)
at org.postgresql.jdbc2.AbstractJdbc2Statement.executeWithFlags(AbstractJdbc2Statement.java:372)
at org.postgresql.jdbc2.AbstractJdbc2Statement.execute(AbstractJdbc2Statement.java:364)
at org.apache.commons.dbcp2.DelegatingStatement.execute(DelegatingStatement.java:291)
at org.apache.commons.dbcp2.DelegatingStatement.execute(DelegatingStatement.java:291)
at com.atlassian.jira.upgrade.tasks.DropIndexTask.dropIndex(DropIndexTask.java:24)
Diagnostic
- Enable verbose logging in postgres and observe the log (http://www.postgresql.org/docs/9.0/static/runtime-config-logging.html)
-
Look for entries in the verbose logs that look like the following:
2016-03-04 14:28:09 CET [23855-15739] jiradbuser@jiradb LOG: duration: 0.091 ms parse <unnamed>: DROP INDEX public.audit_item.idx_audit_item_log_id 2016-03-04 14:28:09 CET [23855-15740] jiradbuser@jiradb LOG: duration: 0.010 ms bind <unnamed>: DROP INDEX public.audit_item.idx_audit_item_log_id 2016-03-04 14:28:09 CET [23855-15741] jiradbuser@jiradb ERROR: cross-database references are not implemented: "public.audit_item.idx_audit_item_log_id" 2016-03-04 14:28:09 CET [23855-15742] jiradbuser@jiradb STATEMENT: DROP INDEX public.audit_item.idx_audit_item_log_id
Resolution
tip/resting
Created with Sketch.
Please make sure to make a database backup before making any changes in the database.
- Please stop the server.
- Please DROP the table with the below SQL query:
DROP INDEX idx_audit_item_log_id; DROP INDEX idx_audit_item_log_id2;
- Please restart the server.
- You should be able to continue with the upgrade with no issues.
Last modified on Nov 12, 2018
Related content
- No related content found
7 ответов
Примечание. Как предполагал первоначальный вопросник, если вы настраиваете две базы данных на одном компьютере, вы, вероятно, захотите сделать два schemas вместо этого — в этом случае вам не нужно ничего специального для запроса через них.
Обновление с 9.3
Теперь вы можете использовать новую postgres_fdw
(внешнюю обертку данных) для подключения к таблицам в любой базе данных Postgres — локальной или удаленной.
Обратите внимание, что существуют внешние обертки данных для других популярных источников данных. В это время только postgres_fdw
и file_fdw
являются частью официального распределения Postgres.
Оригинальный ответ для pre-9.3
Эта функция не входит в стандартную установку PostgreSQL по умолчанию, но вы можете ее добавить. Она называется dblink
.
Я никогда не использовал его, но он поддерживается и распространяется вместе с остальной частью PostgreSQL. Если вы используете версию PostgreSQL, поставляемую с дистрибутивом Linux, вам может потребоваться установить пакет postgresql-contrib.
Neall
05 сен. 2008, в 19:39
Поделиться
Я столкнулся с этим до того, как пришел к тому же выводу о кросс-запросах базы данных, как и вы. То, что я закончил, было использование схем для разделения табличного пространства таким образом, чтобы я мог хранить таблицы сгруппированными, но все еще запрашивать их все.
stimms
05 сен. 2008, в 17:37
Поделиться
dblink() — выполняет запрос в удаленной базе данных
dblink выполняет запрос (обычно SELECT, но это может быть любой оператор SQL, который возвращает строки) в удаленной базе данных.
Когда заданы два текстовых аргумента, первый из них сначала ищется как постоянное имя соединения; если найдено, команда выполняется для этого соединения. Если не найден, первый аргумент обрабатывается как строка информации о соединении, как и для dblink_connect, и указанное соединение устанавливается только на время выполнения этой команды.
один из хороших примеров:
SELECT *
FROM table1 tb1
LEFT JOIN (
SELECT *
FROM dblink('dbname=db2','SELECT id, code FROM table2')
AS tb2(id int, code text);
) AS tb2 ON tb2.column = tb1.column;
Примечание: я даю эту информацию для дальнейшего использования. Refrence
Manwal
21 нояб. 2014, в 05:03
Поделиться
Просто добавьте немного больше информации.
Невозможно запросить базу данных, отличную от текущей. Поскольку PostgreSQL загружает системные каталоги, зависящие от базы данных, неизвестно, как должен вести себя запрос междоменной базы.
contrib/dblink позволяет выполнять запросы с использованием кросс-баз данных, используя вызовы функций. Конечно, клиент может также делать одновременные подключения к различным базам данных и объединять результаты на стороне клиента.
Часто задаваемые вопросы PostgreSQL
Esteban Küber
06 май 2010, в 21:37
Поделиться
Да, вы можете использовать DBlink (только postgresql) и DBI-Link (разрешить внешние запросы перекрестных баз данных) и TDS_LInk, который позволяет запускать запросы на сервер MS SQL.
Я использовал DB-Link и TDS-ссылку раньше с большим успехом.
snorkel
22 сен. 2008, в 07:19
Поделиться
Если производительность важна, и большинство запросов доступны только для чтения, я бы предложил реплицировать данные в другую базу данных. Хотя это похоже на ненужное дублирование данных, оно может помочь, если требуются индексы.
Это можно сделать с помощью простых триггеров вставки, которые, в свою очередь, вызовут dblink для обновления другой копии. Существуют также полномасштабные варианты репликации (например, Slony), но это не по теме.
dpavlin
12 сен. 2008, в 17:24
Поделиться
select
uuid_generate_v4() as "j"
,"x"."i"
, 1 as "t"
,'territory' as "s"
,"j"."key" as "k"
,"j"."value" as "v"
,true as "a"
from ( select "x".rowguid as "i", row_to_json(x) "j" from adventureworks.salesterritory "x" ) "x" CROSS JOIN LATERAL json_each(x."j") AS "j"
where "j"."key" not in ('rowguid', 'modifieddate', 'territoryid')
Louis Rebolloso
07 фев. 2019, в 00:41
Поделиться
Ещё вопросы
- 0Можем ли мы избежать конструктора по умолчанию в этом случае?
- 0Оператор SELECT с повторяющимися именами таблиц
- 0Использование group by для возврата строки с max ()
- 1Чтение текстового файла (разделение, сортировка, поиск между числами с помощью ArrayList)
- 1Отключить индикатор свечения индикатора выполнения
- 0Нужно нажать кнопку дважды, чтобы выполнить функцию — jQuery
- 0Параметры метода
- 1C # Запустить новый процесс MailTo и кодирование URL-адреса HTML
- 1Передача данных в событие — Объединить события
- 1OnClickListener не запускается из родительского класса
- 0$ .getScript дает неожиданный токен
- 0OpenMP цикл распараллеливания
- 1Выравнивание TextBlock по вертикали внутри StackPanel
- 1объединить два отсортированных списка элементов в Python
- 0Структура мобильной страницы Jquery
- 1Отладка реагирует веб-приложение, которое является частью Dotnet
- 0Лучший способ построить многомерный массив (категории; подкатегории; подкатегории и т. Д.)
- 0Компилятор C ++ конвертирует big-endian в little-endian [дубликаты]
- 1Логическое объяснение
- 0Строка поиска, чтобы найти другую строку, используя рекурсию
- 0Порядок индекса Grunt src
- 0найти, какой дочерний элемент родительского элемента jquery
- 0как разделить класс между проектами c ++?
- 1Оптимизация кода для поиска писем в надстройке Outlook
- 0Автоматический регистратор для C / C ++ в окне
- 0Подсчитать отличное значение с 2 критериями
- 0Заменить главную страницу и меню модулем
- 1Лучшие приложения для Android
- 1Как прочитать контактный номер с помощью Android
- 0PHP разветвленный процесс не завершается полностью и становится зомби
- 0Ошибка получения подтверждения при удалении динамической памяти
- 1Как распаковать несколько объектов словаря внутри списка в строке данных?
- 0Ошибка запуска ApplicationContext. Для отображения отчета автоконфигурации перезапустите ваше приложение с включенной отладкой. использование netbeans / Spring
- 1Получить один индекс из мультииндексированного фрейма данных
- 0Win32 C / C ++ Чтение BMP ширины и высоты из байтового массива
- 0Как обновить запись в БД с помощью CodeIgniter?
- 1Установить режим совместимости управления WebBrowser не работает
- 1Доступ к свойствам свойства при использовании аксессоров get set
- 1Java — не работает привязка клавиш
- 0Эквивалент lseek для Linux в Windows API?
- 0Использовать For Loop для вывода имени в массиве?
- 0PHP абсолютный файл
- 1Переопределение стандартного поведения нажатия клавиши НАЗАД DialogPreference
- 1vis.js создает заголовок с несколькими строками
- 1Листовка всплывающая на каждом маркере с использованием воспроизведения листовки
- 0Специальные символы Ascii преобразуются в сущности HTML в регулярном выражении PHP preg_match ()
- 1htmlagilitypack извлекает электронные письма
- 0CSS3 Step Animation — Не меняя изображение, просто двигая изображение
- 0Создание размера квадрата на основе jQuery
- 0Как сгладить буквальные свойства объекта?