MySql选择结果从同一表和其他表组合多个查询

I have a table ('names') which includes data related with other data in other tables relying on ids. For example:

*Names table

id |     name     | predecessor | successor | house | birthplace 
-----------------------------------------------------------------
10    Bayezid II         9           11         4         NULL
11    Selim I            10          12         4         5
12    Suleiman           11          13         4         61

*Houses table

id |  house
--------------
4    House of Osman

*Places table

id |  place
--------------
5    Amasya
61   Trabzon

What I'm trying to accomplish is to construct a query which results in returning whole information depending on the id, like:

{"result":[{
    "id":"11",
    "name":"Selim I",
    "predecessor": "Bayezid II",
    "successor": "Suleiman",
    "house":"House of Osman",
    "birthplace":"Amasya"
}]}

So, the name of the house and the birthplace are brought from other tables ('houses', 'places') whereas the predecessor and the successor are from the same table. I need help constructing this query. Thank you.

Just self-join a couple times, once to get the predecessor's row (aliased n0 below), and once more for the successor's (n2):

SELECT n1.id, n1.name, n0.name AS predecessor, n2.name AS successor
FROM names n1
LEFT JOIN names n0 ON n1.predecessor = n0.id
LEFT JOIN names n2 ON n1.successor = n2.id

SQL Fiddle demo

Joining to get the house and birthplace are left as an exercise for the reader.

Try this:

select n.id,
n.name,
n1.name as predecessor,
n2.name as successor,
h.house,
p.place
from names n
inner join names n1 on n.id = n1.predecessor
inner join names n2 on n.id = n2.successor
left join Houses h on n.house = h.id
left join Place p on n.birthplace = p.id
where n.id = 11