c4rrt3r
c4rrt3r

Reputation: 622

Select from table, name is stored in the field

How can I join some data from some table whose name is a field of the dataset?

Like this:

SELECT *
FROM dataset
INNER JOIN dataset.table_name 
ON dataset.param_id = (dataset.table_name).id_(dataset.table_name)

Upvotes: 5

Views: 2144

Answers (1)

McGarnagle
McGarnagle

Reputation: 102753

You will have to construct the select statement as a string using T-SQL. Then, use the execute command to run it. For example:

DECLARE @sql VARCHAR(MAX);
DECLARE @table_name VARCHAR(100);
SET @table_name = (SELECT TOP 1 table_name FROM dataset)   ' TODO set criteria correctly here
SELECT @sql = 'SELECT * FROM dataset INNER JOIN ' & @table_name & ' ON dataset.param_id = ' & @table_name & '.id_' & @table_name & ';'
EXEC (@sql)

Update

This is the syntax for Oracle (quoted from Andrewst's answer here):

DECLARE
  TYPE rc_type REF CURSOR;
  rc rc_type;
  table_rec table%ROWTYPE;
BEGIN
  OPEN rc FOR 'select * from table';
  LOOP
    FETCH rc INTO table_rec;
    EXIT WHEN rc%NOTFOUND;
    -- Process this row, e.g.
    DBMS_OUTPUT.PUT_LINE( 'Name: '||table_rec.name );
  END LOOP;
END;

http://www.dbforums.com/oracle/718534-ms-sql-exec-equivalent.html

Upvotes: 3

Related Questions