question
stringlengths 16
224
| query
stringlengths 18
577
| translated_question
stringlengths 5
212
|
---|---|---|
What is the total amount of settlement made for all the settlements?
|
SELECT sum(Amount_Settled) FROM Settlements
|
Tüm yerleşimler için yapılan toplam yerleşim miktarı nedir?
|
Return the device carriers that do not have Android as their software platform.
|
SELECT Carrier FROM device WHERE Software_Platform != 'Android'
|
Yazılım platformu olarak Android olmayan cihaz taşıyıcılarını döndürün.
|
Show the locations shared by shops with open year later than 2012 and shops with open year before 2008.
|
SELECT LOCATION FROM shop WHERE Open_Year > 2012 INTERSECT SELECT LOCATION FROM shop WHERE Open_Year < 2008
|
2012'den sonra açık yıl daha sonra mağazalar tarafından paylaşılan yerleri ve 2008'den önce açık yılları olan mağazaları gösterin.
|
How many followers does each user have?
|
SELECT count(*) FROM follows
|
Her kullanıcının kaç takipçisi var?
|
Show the names of mountains with height more than 5000 or prominence more than 1000.
|
SELECT Name FROM mountain WHERE Height > 5000 OR Prominence > 1000
|
5000'den fazla yüksekliğe sahip dağların adlarını veya 1000'den fazla öne çıkın.
|
Give the country id and corresponding count of cities in each country.
|
SELECT country_id , COUNT(*) FROM locations GROUP BY country_id
|
Ülke kimliğine ve her ülkede ilgili şehir sayısını verin.
|
Count the number of gymnasts.
|
SELECT count(*) FROM gymnast
|
Jimnastikçi sayısını sayın.
|
What are the names of buildings sorted in descending order of building height?
|
SELECT name FROM buildings ORDER BY Height DESC
|
Bina yüksekliğinin azalan sırasına göre sıralanan binaların isimleri nelerdir?
|
For each product with some problems, list the count of problems and the product id.
|
SELECT count(*) , T2.product_id FROM problems AS T1 JOIN product AS T2 ON T1.product_id = T2.product_id GROUP BY T2.product_id
|
Bazı sorunları olan her ürün için sorun sayısını ve ürün kimliğini listeleyin.
|
What is the name of the department with the fewest members?
|
SELECT T1.DName FROM DEPARTMENT AS T1 JOIN MEMBER_OF AS T2 ON T1.DNO = T2.DNO GROUP BY T2.DNO ORDER BY count(*) ASC LIMIT 1
|
En az üyeli departmanın adı nedir?
|
What are the countries for each market ordered by decreasing number of cities?
|
SELECT Country FROM market ORDER BY Number_cities DESC
|
Her pazar için, şehir sayısının azaltılmasıyla sipariş edilen ülkeler nelerdir?
|
What are the ids of the students who registered for some courses but had the least number of courses for all students?
|
SELECT student_id FROM student_course_registrations GROUP BY student_id ORDER BY count(*) LIMIT 1
|
Bazı kurslara kayıtlı ancak tüm öğrenciler için en az dersi olan öğrencilerin kimlikleri nelerdir?
|
What are the countries that have never participated in any friendly-type competitions?
|
SELECT country FROM competition EXCEPT SELECT country FROM competition WHERE competition_type = 'Friendly'
|
Dostça tip yarışmalara hiç katılmamış ülkeler nelerdir?
|
What are the daily hire costs for the products with substring 'Book' in its name?
|
SELECT daily_hire_cost FROM Products_for_hire WHERE product_name LIKE '%Book%'
|
Adına alt çizgili 'kitabı' olan ürünler için günlük kiralama maliyetleri nelerdir?
|
What is the team with at least 2 technicians?
|
SELECT Team FROM technician GROUP BY Team HAVING COUNT(*) >= 2
|
En az 2 teknisyeni olan ekip nedir?
|
What is the average fastest lap speed in race named 'Monaco Grand Prix' in 2008 ?
|
SELECT avg(T2.fastestlapspeed) FROM races AS T1 JOIN results AS T2 ON T1.raceid = T2.raceid WHERE T1.year = 2008 AND T1.name = "Monaco Grand Prix"
|
2008'de 'Monaco Grand Prix' adlı yarışta ortalama en hızlı tur hızı nedir?
|
Find the first name and major of the students who are not allegry to soy.
|
SELECT fname , major FROM Student WHERE StuID NOT IN (SELECT StuID FROM Has_allergy WHERE Allergy = "Soy")
|
Soya alegry olmayan öğrencilerin adını ve ana bölümünü bulun.
|
List three countries which are the origins of the least players.
|
SELECT birth_country FROM player GROUP BY birth_country ORDER BY count(*) ASC LIMIT 3;
|
En az oyuncuların kökenleri olan üç ülkeyi listeleyin.
|
What are the addresses of customers living in Germany who have had an invoice?
|
SELECT DISTINCT T1.Address FROM CUSTOMER AS T1 JOIN INVOICE AS T2 ON T1.CustomerId = T2.CustomerId WHERE T1.country = "Germany"
|
Almanya'da yaşayan müşterilerin faturası olan adresleri nelerdir?
|
Find all the songs whose name contains the word "the".
|
SELECT title FROM songs WHERE title LIKE '% the %'
|
Adı "The" kelimesini içeren tüm şarkıları bulun.
|
List the names of all courses ordered by their titles and credits.
|
SELECT title FROM course ORDER BY title , credits
|
Başlıkları ve kredileri tarafından sipariş edilen tüm derslerin adlarını listeleyin.
|
Show names for all employees who have certificate of Boeing 737-800.
|
SELECT T1.name FROM Employee AS T1 JOIN Certificate AS T2 ON T1.eid = T2.eid JOIN Aircraft AS T3 ON T3.aid = T2.aid WHERE T3.name = "Boeing 737-800"
|
Boeing 737-800 Sertifikası olan tüm çalışanlar için isimleri gösterin.
|
Find the name of students who took some course offered by Statistics department.
|
SELECT T3.name FROM course AS T1 JOIN takes AS T2 ON T1.course_id = T2.course_id JOIN student AS T3 ON T2.id = T3.id WHERE T1.dept_name = 'Statistics'
|
İstatistik departmanı tarafından sunulan bazı kursları alan öğrencilerin adını bulun.
|
Find the maximum and minimum sales of the companies that are not in the "Banking" industry.
|
SELECT max(Sales_billion) , min(Sales_billion) FROM Companies WHERE Industry != "Banking"
|
"Bankacılık" endüstrisinde olmayan şirketlerin maksimum ve minimum satışlarını bulun.
|
Show all the Store_Name of drama workshop groups.
|
SELECT Store_Name FROM Drama_Workshop_Groups
|
Drama atölye gruplarının tüm store_name'ini gösterin.
|
Find the names of Japanese constructors that have once earned more than 5 points?
|
SELECT T1.name FROM constructors AS T1 JOIN constructorstandings AS T2 ON T1.constructorid = T2.constructorid WHERE T1.nationality = "Japanese" AND T2.points > 5
|
Bir zamanlar 5'ten fazla puan kazanan Japon yapıcıların isimlerini buldunuz mu?
|
Find the names of artists that do not have any albums.
|
SELECT Name FROM ARTIST EXCEPT SELECT T2.Name FROM ALBUM AS T1 JOIN ARTIST AS T2 ON T1.ArtistId = T2.ArtistId
|
Albümü olmayan sanatçıların isimlerini bulun.
|
What are the names of customers with accounts, and how many checking accounts do each of them have?
|
SELECT count(*) , T1.name FROM accounts AS T1 JOIN checking AS T2 ON T1.custid = T2.custid GROUP BY T1.name
|
Hesapları olan müşterilerin adları nelerdir ve her birinin kaç tane çek hesabı vardır?
|
Please list all album titles in alphabetical order.
|
SELECT Title FROM ALBUM ORDER BY Title
|
Lütfen tüm albüm başlıklarını alfabetik sırayla listeleyin.
|
What are the names of all songs that have a lower rating than some song of blues genre?
|
SELECT song_name FROM song WHERE rating < (SELECT max(rating) FROM song WHERE genre_is = "blues")
|
Blues türünün bazı şarkılarından daha düşük bir dereceye sahip tüm şarkıların isimleri nelerdir?
|
Who is the oldest person whose job is student?
|
SELECT name FROM Person WHERE job = 'student' AND age = (SELECT max(age) FROM person WHERE job = 'student' )
|
İşi öğrenci olan en yaşlı kişi kimdir?
|
What is the name of the patient who made the most recent appointment?
|
SELECT T1.name FROM patient AS T1 JOIN appointment AS T2 ON T1.ssn = T2.patient ORDER BY T2.start DESC LIMIT 1
|
En son randevuyu yapan hastanın adı nedir?
|
display the employee name ( first name and last name ) and hire date for all employees in the same department as Clara.
|
SELECT first_name , last_name , hire_date FROM employees WHERE department_id = (SELECT department_id FROM employees WHERE first_name = "Clara")
|
Clara ile aynı departmandaki tüm çalışanlar için çalışan adını (ad ve soyadı) ve kiralama tarihini görüntüleyin.
|
Return ids of all the products that are supplied by supplier id 2 and are more expensive than the average price of all products.
|
SELECT T1.product_id FROM product_suppliers AS T1 JOIN products AS T2 ON T1.product_id = T2.product_id WHERE T1.supplier_id = 2 AND T2.product_price > (SELECT avg(product_price) FROM products)
|
Tedarikçi Kimliği 2 tarafından sağlanan ve tüm ürünlerin ortalama fiyatından daha pahalı olan tüm ürünlerin iade kimlikleri.
|
List all countries of markets in descending order of number of cities.
|
SELECT Country FROM market ORDER BY Number_cities DESC
|
Tüm pazar ülkelerini şehir sayısının azalan sırasına göre listeleyin.
|
Show all artist names and the year joined who are not from United States.
|
SELECT name , year_join FROM artist WHERE country != 'United States'
|
ABD'den olmayan tüm sanatçı isimlerini ve katılan yılı gösterin.
|
how many degrees were conferred between 1998 and 2002?
|
SELECT T1.campus , sum(T2.degrees) FROM campuses AS T1 JOIN degrees AS T2 ON T1.id = T2.campus WHERE T2.year >= 1998 AND T2.year <= 2002 GROUP BY T1.campus
|
1998-2002 yılları arasında kaç derece verildi?
|
What are all the location codes and location names?
|
SELECT location_code , location_name FROM Ref_locations
|
Tüm konum kodları ve konum adları nelerdir?
|
Show the first year and last year of parties with theme "Spring" or "Teqnology".
|
SELECT First_year , Last_year FROM party WHERE Party_Theme = "Spring" OR Party_Theme = "Teqnology"
|
Partilerin ilk yılını ve geçen yılını "Bahar" veya "Teknoloji" teması ile gösterin.
|
What campus had more than 400 total enrollment but more than 200 full time enrollment in year 1956?
|
SELECT T1.campus FROM campuses AS t1 JOIN enrollments AS t2 ON t1.id = t2.campus WHERE t2.year = 1956 AND totalenrollment_ay > 400 AND FTE_AY > 200
|
Hangi kampüste toplam 400'den fazla kaydı vardı, ancak 1956 yılında 200'den fazla tam zamanlı kaydı vardı?
|
What is Nancy Edwards's address?
|
SELECT address FROM employees WHERE first_name = "Nancy" AND last_name = "Edwards";
|
Nancy Edwards'ın adresi nedir?
|
Find the major that is studied by the most female students.
|
SELECT Major FROM STUDENT WHERE Sex = "F" GROUP BY major ORDER BY count(*) DESC LIMIT 1
|
Çoğu kız öğrencinin incelenen ana dalını bulun.
|
List the nations that have more than two ships.
|
SELECT Nationality FROM ship GROUP BY Nationality HAVING COUNT(*) > 2
|
İkiden fazla gemisi olan ulusları listeleyin.
|
Which programs are never broadcasted in the morning? Give me the names of the programs.
|
SELECT name FROM program EXCEPT SELECT t1.name FROM program AS t1 JOIN broadcast AS t2 ON t1.program_id = t2.program_id WHERE t2.Time_of_day = "Morning"
|
Sabah hangi programlar asla yayınlanmaz?Bana programların isimlerini ver.
|
What are department ids for departments with managers managing more than 3 employees?
|
SELECT DISTINCT department_id FROM employees GROUP BY department_id , manager_id HAVING COUNT(employee_id) >= 4
|
3'ten fazla çalışanı yöneten yöneticileri olan departmanlar için departman kimlikleri nelerdir?
|
What are the departure and arrival dates of all flights from LA to Honolulu?
|
SELECT departure_date , arrival_date FROM Flight WHERE origin = "Los Angeles" AND destination = "Honolulu"
|
LA'dan Honolulu'ya tüm uçuşların kalkış ve varış tarihleri nelerdir?
|
How many distinct claim outcome codes are there?
|
SELECT count(DISTINCT claim_outcome_code) FROM claims_processing
|
Kaç farklı talep sonuç kodu var?
|
What are the names of the instructors in the Comp. Sci. department who earn more than 80000?
|
SELECT name FROM instructor WHERE dept_name = 'Comp. Sci.' AND salary > 80000
|
Comp.Sci.80000'den fazla kazanan departman?
|
Find the names of users who did not leave any review.
|
SELECT name FROM useracct WHERE u_id NOT IN (SELECT u_id FROM review)
|
Herhangi bir inceleme bırakmayan kullanıcıların adlarını bulun.
|
Which apartments have bookings with status code "Confirmed"? Return their apartment numbers.
|
SELECT DISTINCT T2.apt_number FROM Apartment_Bookings AS T1 JOIN Apartments AS T2 ON T1.apt_id = T2.apt_id WHERE T1.booking_status_code = "Confirmed"
|
Hangi dairelerde "onaylanmış" durum kodu rezervasyonları var?Daire numaralarını iade edin.
|
How many students does each advisor have?
|
SELECT advisor , count(*) FROM Student GROUP BY advisor
|
Her danışmanın kaç öğrencisi var?
|
Please show the nominee who has been nominated the greatest number of times.
|
SELECT Nominee FROM musical GROUP BY Nominee ORDER BY COUNT(*) DESC LIMIT 1
|
Lütfen en fazla sayıda aday gösterilen adayı gösterin.
|
return all columns of the albums created in the year of 2012.
|
SELECT * FROM Albums WHERE YEAR = 2012
|
2012 yılında oluşturulan albümlerin tüm sütunlarını iade edin.
|
Show the first year and last year of parties with theme "Spring" or "Teqnology".
|
SELECT First_year , Last_year FROM party WHERE Party_Theme = "Spring" OR Party_Theme = "Teqnology"
|
Partilerin ilk yılını ve geçen yılını "Bahar" veya "Teknoloji" teması ile gösterin.
|
Find the subject ID, subject name, and the corresponding number of available courses for each subject.
|
SELECT T1.subject_id , T2.subject_name , COUNT(*) FROM Courses AS T1 JOIN Subjects AS T2 ON T1.subject_id = T2.subject_id GROUP BY T1.subject_id
|
Konu kimliğini, konu adını ve her bir konu için karşılık gelen mevcut kursları bulun.
|
List the states where both the secretary of 'Treasury' department and the secretary of 'Homeland Security' were born.
|
SELECT T3.born_state FROM department AS T1 JOIN management AS T2 ON T1.department_id = T2.department_id JOIN head AS T3 ON T2.head_id = T3.head_id WHERE T1.name = 'Treasury' INTERSECT SELECT T3.born_state FROM department AS T1 JOIN management AS T2 ON T1.department_id = T2.department_id JOIN head AS T3 ON T2.head_id = T3.head_id WHERE T1.name = 'Homeland Security'
|
Hem 'Hazine' Bölümü Sekreteri hem de 'İç Güvenlik' Sekreteri'nin doğduğu eyaletleri listeleyin.
|
Show all locations and the number of gas stations in each location ordered by the count.
|
SELECT LOCATION , count(*) FROM gas_station GROUP BY LOCATION ORDER BY count(*)
|
Sayım tarafından sipariş edilen her yerde tüm yerleri ve benzin istasyonlarının sayısını gösterin.
|
Which city is the address of the store named "FJA Filming" located in?
|
SELECT T1.City_Town FROM Addresses AS T1 JOIN Stores AS T2 ON T1.Address_ID = T2.Address_ID WHERE T2.Store_Name = "FJA Filming"
|
Mağazanın "FJA çekimleri" adlı adresi hangi şehirdir?
|
What is the average number of employees of the departments whose rank is between 10 and 15?
|
SELECT avg(num_employees) FROM department WHERE ranking BETWEEN 10 AND 15
|
Sıralaması 10 ile 15 arasında olan departmanların ortalama çalışan sayısı nedir?
|
How many drivers did not participate in the races held in 2009?
|
SELECT count(DISTINCT driverId) FROM results WHERE raceId NOT IN( SELECT raceId FROM races WHERE YEAR != 2009 )
|
2009'da yapılan yarışlara kaç sürücü katılmadı?
|
Which customers have an insurance policy with the type code "Deputy"? Give me the customer details.
|
SELECT DISTINCT t2.customer_details FROM policies AS t1 JOIN customers AS t2 ON t1.customer_id = t2.customer_id WHERE t1.policy_type_code = "Deputy"
|
Hangi müşterilerin "yardımcısı" koduna sahip bir sigorta poliçesi var?Bana müşteri ayrıntılarını verin.
|
What are the average prices of products for each manufacturer?
|
SELECT avg(T1.price) , T2.name FROM products AS T1 JOIN manufacturers AS T2 ON T1.Manufacturer = T2.code GROUP BY T2.name
|
Her üretici için ortalama ürün fiyatları nelerdir?
|
Find the number of students whose city code is NYC and who have class senator votes in the spring election cycle.
|
SELECT count(*) FROM STUDENT AS T1 JOIN VOTING_RECORD AS T2 ON T1.StuID = Class_Senator_Vote WHERE T1.city_code = "NYC" AND T2.Election_Cycle = "Spring"
|
Şehir kodu NYC olan ve bahar seçim döngüsünde sınıf senatör oyları olan öğrenci sayısını bulun.
|
For each grade, report the grade, the number of classrooms in which it is taught and the total number of students in the grade.
|
SELECT grade , count(DISTINCT classroom) , count(*) FROM list GROUP BY grade
|
Her sınıf için notu, öğretildiği sınıf sayısını ve sınıftaki toplam öğrenci sayısını bildirin.
|
What are the names and location of the shops in ascending alphabetical order of name.
|
SELECT Shop_Name , LOCATION FROM shop ORDER BY Shop_Name ASC
|
Mağazaların isimleri ve yeri, artan alfabetik isim sırasına göre nelerdir.
|
Find the ids and first names of the 3 teachers that have the most number of assessment notes?
|
SELECT T1.teacher_id , T2.first_name FROM Assessment_Notes AS T1 JOIN Teachers AS T2 ON T1.teacher_id = T2.teacher_id GROUP BY T1.teacher_id ORDER BY count(*) DESC LIMIT 3
|
En fazla sayıda değerlendirme notuna sahip 3 öğretmenin kimliklerini ve adlarını mı buldunuz?
|
What are the names of the ships that are not from the United States?
|
SELECT Name FROM ship WHERE Nationality != "United States"
|
Amerika Birleşik Devletleri'nden olmayan gemilerin isimleri nelerdir?
|
What is the maximum and minimum grade point of students who live in NYC?
|
SELECT max(T2.gradepoint) , min(T2.gradepoint) FROM ENROLLED_IN AS T1 JOIN GRADECONVERSION AS T2 JOIN STUDENT AS T3 ON T1.Grade = T2.lettergrade AND T1.StuID = T3.StuID WHERE T3.city_code = "NYC"
|
NYC'de yaşayan öğrencilerin maksimum ve minimum sınıf noktası nedir?
|
What is the total population for all the districts that have an area larger tahn the average city area?
|
SELECT sum(city_population) FROM district WHERE city_area > (SELECT avg(city_area) FROM district)
|
Ortalama bir şehir alanından daha büyük bir alanı olan tüm bölgeler için toplam nüfus nedir?
|
How many students does one classroom have?
|
SELECT count(*) , classroom FROM list GROUP BY classroom
|
Bir sınıfın kaç öğrencisi var?
|
What are the names of all playlists that have more than 100 tracks?
|
SELECT T2.name FROM playlist_tracks AS T1 JOIN playlists AS T2 ON T2.id = T1.playlist_id GROUP BY T1.playlist_id HAVING count(T1.track_id) > 100;
|
100'den fazla parçaya sahip tüm çalma listelerinin isimleri nelerdir?
|
What are the names of parties that do not have delegates in election?
|
SELECT Party FROM party WHERE Party_ID NOT IN (SELECT Party FROM election)
|
Seçimde delegesi olmayan partilerin isimleri nelerdir?
|
Return the completion date for all the tests that have "Fail" result.
|
SELECT T1.date_of_completion FROM Student_Course_Enrolment AS T1 JOIN Student_Tests_Taken AS T2 ON T1.registration_id = T2.registration_id WHERE T2.test_result = "Fail"
|
"Başarısız" sonucu olan tüm testler için tamamlanma tarihini döndürün.
|
What are the department ids for which more than 10 employees had a commission?
|
SELECT department_id FROM employees GROUP BY department_id HAVING COUNT(commission_pct) > 10
|
10'dan fazla çalışanın komisyonu olduğu departman kimlikleri nelerdir?
|
Which buildings does "Emma" manage? Give me the short names of the buildings.
|
SELECT building_short_name FROM Apartment_Buildings WHERE building_manager = "Emma"
|
"Emma" hangi binaları yönetiyor?Bana binaların kısa isimlerini ver.
|
What are the names of climbers and the corresponding heights of the mountains that they climb?
|
SELECT T1.Name , T2.Height FROM climber AS T1 JOIN mountain AS T2 ON T1.Mountain_ID = T2.Mountain_ID
|
Dağcıların isimleri ve tırmandıkları dağların karşılık gelen yükseklikleri nelerdir?
|
How many different types of transactions are there?
|
SELECT count(DISTINCT transaction_type) FROM Financial_Transactions
|
Kaç farklı işlem türü var?
|
What are the last names of the teachers who teach the student called GELL TAMI?
|
SELECT T2.lastname FROM list AS T1 JOIN teachers AS T2 ON T1.classroom = T2.classroom WHERE T1.firstname = "GELL" AND T1.lastname = "TAMI"
|
Gell Tami adlı öğrenciye öğreten öğretmenlerin soyadları nelerdir?
|
Find the names of nurses who are on call.
|
SELECT DISTINCT T1.name FROM nurse AS T1 JOIN on_call AS T2 ON T1.EmployeeID = T2.nurse
|
Çağrıda bulunan hemşirelerin isimlerini bulun.
|
Give all information regarding instructors, in order of salary from least to greatest.
|
SELECT * FROM instructor ORDER BY salary
|
En azından en büyük maaş sırasına göre eğitmenlerle ilgili tüm bilgileri verin.
|
What is the first and last name of the employee who reports to Nancy Edwards?
|
SELECT T2.first_name , T2.last_name FROM employees AS T1 JOIN employees AS T2 ON T1.id = T2.reports_to WHERE T1.first_name = "Nancy" AND T1.last_name = "Edwards";
|
Nancy Edwards'a rapor veren çalışanın ilk ve soyadı nedir?
|
Find the phone number of performer "Ashley".
|
SELECT Customer_Phone FROM PERFORMERS WHERE Customer_Name = "Ashley"
|
Sanatçı "Ashley" telefon numarasını bulun.
|
What is the customer id, first and last name with most number of accounts.
|
SELECT T1.customer_id , T2.customer_first_name , T2.customer_last_name FROM Accounts AS T1 JOIN Customers AS T2 ON T1.customer_id = T2.customer_id GROUP BY T1.customer_id ORDER BY count(*) DESC LIMIT 1
|
Müşteri kimliği nedir, en çok hesapla ad ve soyadı.
|
List all employees in the circulation history of the document with id 1. List the employee's name.
|
SELECT Employees.employee_name FROM Employees JOIN Circulation_History ON Circulation_History.employee_id = Employees.employee_id WHERE Circulation_History.document_id = 1;
|
Belgenin dolaşım geçmişindeki tüm çalışanları kimlik 1 ile listeleyin. Çalışanın adını listeleyin.
|
What are the employee ids of employees who report to Payam, and what are their salaries?
|
SELECT employee_id , salary FROM employees WHERE manager_id = (SELECT employee_id FROM employees WHERE first_name = 'Payam' )
|
Payam'a rapor veren çalışanların çalışan kimlikleri nelerdir ve maaşları nelerdir?
|
Show all ministers and parties they belong to in descending order of the time they took office.
|
SELECT minister , party_name FROM party ORDER BY took_office DESC
|
A ait oldukları tüm bakanları ve partileri, göreve başladıkları zamanın azalan sırasına göre gösterin.
|
List all schools and their nicknames in the order of founded year.
|
SELECT school , nickname FROM university ORDER BY founded
|
Tüm okulları ve takma adlarını kurulan yıl emriyle listeleyin.
|
How many fault status codes are recorded in the fault log parts table?
|
SELECT DISTINCT fault_status FROM Fault_Log_Parts
|
Arıza Günlüğü Parçaları tablosunda kaç hata durumu kodu kaydedilir?
|
Find the name and component amount of the least popular furniture.
|
SELECT name , Num_of_Component FROM furniture ORDER BY market_rate LIMIT 1
|
En az popüler mobilyaların adını ve bileşen miktarını bulun.
|
What are the first names and ids for customers who have two or more accounts?
|
SELECT T2.customer_first_name , T1.customer_id FROM Accounts AS T1 JOIN Customers AS T2 ON T1.customer_id = T2.customer_id GROUP BY T1.customer_id HAVING count(*) >= 2
|
İki veya daha fazla hesabı olan müşteriler için ilk isimler ve kimlikler nelerdir?
|
What is the average room count of the apartments whose booking status code is "Provisional"?
|
SELECT avg(room_count) FROM Apartment_Bookings AS T1 JOIN Apartments AS T2 ON T1.apt_id = T2.apt_id WHERE T1.booking_status_code = "Provisional"
|
Rezervasyon Durum Kodu "Geçici" olan dairelerin ortalama oda sayısı nedir?
|
What are all role codes?
|
SELECT role_code FROM ROLES;
|
Tüm rol kodları nelerdir?
|
Return the maximum support rate, minimum consider rate, and minimum oppose rate across all candidates?
|
SELECT max(support_rate) , min(consider_rate) , min(oppose_rate) FROM candidate
|
Tüm adaylar arasında maksimum destek oranını, minimum dikkat oranını ve minimum karşıt oranını iade mi?
|
Show the description for role name "Proof Reader".
|
SELECT role_description FROM ROLES WHERE role_name = "Proof Reader"
|
"Kanıt Okuyucu" rol adı açıklamasını gösterin.
|
Show the most common position of players in match seasons.
|
SELECT POSITION FROM match_season GROUP BY POSITION ORDER BY count(*) DESC LIMIT 1
|
Maç mevsimlerinde oyuncuların en yaygın pozisyonunu gösterin.
|
What is the sum of checking and savings balances for all customers, ordered by the total balance?
|
SELECT T1.balance + T2.balance FROM checking AS T1 JOIN savings AS T2 ON T1.custid = T2.custid ORDER BY T1.balance + T2.balance
|
Toplam bakiye tarafından sipariş edilen tüm müşteriler için kontrol ve tasarruf bakiyelerinin toplamı nedir?
|
What is the number of flights?
|
SELECT count(*) FROM Flight
|
Uçuş sayısı nedir?
|
List the council tax ids and their related cmi cross references of all the parking fines.
|
SELECT council_tax_id , cmi_cross_ref_id FROM parking_fines
|
Konsey vergi kimliklerini ve bunların tüm park cezalarının ilgili CMI çapraz referanslarını listeleyin.
|
What is the average number of employees of the departments whose rank is between 10 and 15?
|
SELECT avg(num_employees) FROM department WHERE ranking BETWEEN 10 AND 15
|
Sıralaması 10 ile 15 arasında olan departmanların ortalama çalışan sayısı nedir?
|
List all people names in the order of their date of birth from old to young.
|
SELECT name FROM people ORDER BY date_of_birth
|
Tüm insanların isimlerini doğum tarihleri sırasına göre yaşlılardan Young'a listeleyin.
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.