I've got a stored procedure with a select statement, like this:
SELECT author_ID,
author_name,
author_bio
FROM Authors
WHERE author_ID in (SELECT author_ID from Books)
This limits results to authors who have book records. This is the Books table:
Books:
book_ID INT,
author_ID INT,
book_title NVARCHAR,
featured_book BIT
What I want to do is conditionally select the ID of the featured book by each author as part of the select statement above, and if none of the books for a given author are featured, select the ID of the first (top 1) book by the author from the books table. How do I approach this?
You can use a sub query that orders the data and uses the top statement...
Something along the lines of,
SELECT author_ID,
author_name,
author_bio
, (Select top 1 Book_ID from Books where Authors.Author_ID=Books.Author_ID order by Featured_book desc)
FROM Authors
WHERE author_ID in (SELECT author_ID from Books)
try this:
DECLARE @Authors table (author_ID INT NOT NULL, author_name VARCHAR(100) NOT NULL, author_bio VARCHAR(100) NOT NULL)
INSERT INTO @Authors VALUES (1, 'Author1', 'Bio1')
INSERT INTO @Authors VALUES (2, 'Author2', 'Bio2')
INSERT INTO @Authors VALUES (3, 'Author3', 'Bio3')
DECLARE @Books table (book_ID INT NOT NULL, author_ID INT NOT NULL, book_title VARCHAR(100) NOT NULL, featured_book INT NOT NULL)
INSERT INTO @Books VALUES (1, 2, 'Book1', 0)
INSERT INTO @Books VALUES (2, 2, 'Book2', 1)
INSERT INTO @Books VALUES (3, 3, 'Book3', 0)
INSERT INTO @Books VALUES (4, 3, 'Book4', 0)
SELECT
dt.author_ID, dt.author_name,dt.author_bio,dt.book_title
FROM (
SELECT
a.*,b.book_title,ROW_NUMBER() OVER (PARTITION by a.author_ID ORDER BY b.featured_book DESC,b.book_title) RowNumber
FROM Authors a
LEFT OUTER JOIN Books b ON a.author_id = b.author_id
) dt
WHERE dt.RowNumber= 1
OUTPUT:
author_ID author_name author_bio book_title
----------- ------------ ----------- ----------
1 Author1 Bio1 NULL
2 Author2 Bio2 Book2
3 Author3 Bio3 Book3
(3 row(s) affected)
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With