I have three tables:
- Orders
- OrderId, int PK
- CustomerId, int FK to Customer, NULL allowed
- Customers
- CustomerId, int PK
- CompanyId, int FK to Company, NULL not allowed
- Companies
- CompanyId, int PK
- Name, nvarchar(50)
I want to select all orders, no matter if they have a customer or not, and if they have a customer then also the customer's company name.
If I use this query...
SELECT Orders.OrderId, Customers.CustomerId, Companies.Name
FROM Orders
LEFT OUTER JOIN Customers
ON Orders.CustomerId = Customers.CustomerId
INNER JOIN Companies
OM Customers.CompanyId = Companies.CompanyId
...it only returns the orders that have a customer. If I replace INNER JOIN
by LEFT OUTER JOIN
...
SELECT Orders.OrderId, Customers.CustomerId, Companies.Name
FROM Orders
LEFT OUTER JOIN Customers
ON Orders.CustomerId = Customers.CustomerId
LEFT OUTER JOIN Companies
OM Customers.CompanyId = Companies.CompanyId
...it works but I don't understand why this is necessary because the relationship between Customers
and Companies
is required: A customer must have a company.
An alternative approach which works as well seems to be:
SELECT Orders.OrderId, Customers.CustomerId, Companies.Name
FROM Companies
INNER JOIN Customers
ON Companies.CompanyId = Customers.CompanyId
RIGHT OUTER JOIN Orders
OM Customers.CustomerId Orders.CustomerId
This query has the number of inner and outer joins that I expect but the problem is that it is hard to read for me because I have my query as a query of orders in mind where an order is the "root" of the selection and not the company. Also the usage of RIGHT OUTER JOIN
is rather unfamiliar to me.
The last query is a small part of a query generated by the designer for SQL Server Reporting Services Reports. I am trying to write the query manually without the designer surface because it is very overcrowded and I'm having problems to maintain the query after many changes and more changes are expected in the future. So, I want to give the query a readable structure somehow.
Questions:
- Why doesn't query 1 work as I expected?
- Is query 2 the correct solution although (or because?) it uses two LEFT OTHER JOINS?
- Is query 3 the correct solution?
- Is there a better way to write the query?
- Are there some general rules of thumb and practices how to write a query with a lot of outer and inner joins in a good readable manner?