Leetcode题库(数据库合集)_ 难度:简单

目录

  • 难度:简单
    • 1. 组合两个表
    • 2. 第二高的薪水
    • 3. 第N高的薪水
    • 4. 分数排名
    • 5. 连续出现的数字
    • 6. 超过经理收入的员工
    • 7. 重新
    • 8. 寻找用户推荐人
    • 9. 销售员
    • 10. 排名靠前的旅行者
    • 11. 患某种疾病的患者
    • 12. 修复表中的名字
    • 13. 求关注者的数量
    • 14. 可回收且低脂的产品
    • 15. 计算特殊奖金
    • 16. 丢失信息的雇员
    • 17. 每个产品在不同商店的价格
    • 18. 文章浏览
    • 19. 上升的温度
    • 20. 按日期分组销售产品
    • 21. 员工奖金
    • 22. 使用唯一标识码替换员工Id
    • 23. 订单最多的客户
    • 24. 判断三角形
    • 25. 只出现一次的最大数字
    • 26. 平均售价
    • 27. 查找拥有有效邮箱的用户
    • 28. 查询结果的质量和占比
    • 29. 列出指定时间段内所有的下单产品
    • 30. 最高薪水差异
    • 31. 总旅行距离
    • 32. 自行车的最后使用时间
    • 33. 统计 Spotify 排行榜上艺术家出现次数
    • 34. 查询员工当前薪水
    • 35. 把名字和职业联系起来
    • 36. 形成化学键
    • 37. 整理奥运表
    • 38. 每位教师所教授的科目种类的数量
    • 39. 联赛的所有比赛
    • 39. 产品销售分析 ⑤
    • 40. 净现值查询

难度:简单

1. 组合两个表

表1:Person
在这里插入图片描述
PersonId 是上表主键
表2: Address
在这里插入图片描述
AddressId 是上表主键
编写一个 SQL 查询,满足条件:无论 person 是否有地址信息,都需要基于上述两表提供 person 的以下信息:
FirstName, LastName, City, State

select a.FirstName, a.LastName, b.City, b.State 
from Person a 
left join Address b 
on a.PersonID = b.PersonID

2. 第二高的薪水

编写一个 SQL 查询,获取 Employee 表中第二高的薪水(Salary) 。
在这里插入图片描述
例如上述 Employee 表,SQL查询应该返回 200 作为第二高的薪水。如果不存在第二高的薪水,那么查询应返回 null。
在这里插入图片描述
方法一:
因为排序可能会出现薪资相同的情况,

select max(Salary) as SecondHighestSalary
from (
select Salary, row_number() over (order by Salary desc) as rnk
from employee b
group by Salary
) a
where a.rnk = 2

方法二:
通过取最大值再去排除最大值去找到第二高的薪水。

select max(Salary) as SecondHighestSalary 
from Employee
where Salary < (select max(Salary) from Employee)

3. 第N高的薪水

有如下两张表T
编写一个 SQL 查询,获取 Employee 表中第 n 高的薪水(Salary)。
在这里插入图片描述

例如上述 Employee 表,n = 2 时,应返回第二高的薪水 200。如果不存在第 n 高的薪水,那么查询应返回 null。
在这里插入图片描述
方法一:

CREATE FUNCTION getNthHighestSalary(@N INT) RETURNS INT AS
BEGIN    
RETURN (        
select Salary as getNthHighestSalary        
from (select  Salary ,dense_rank() over(order by Salary desc) as rnk        
from Employee        
group by Salary) a        
where rnk = @N  );
END

方法二:

CREATE FUNCTION getNthHighestSalary(@N INT) RETURNS INT AS
BEGIN
RETURN ( select distinct Salary 
from Employee
order by Salary desc
Offset @N-1 rows
Fetch next 1 rows only);
END

4. 分数排名

编写一个 SQL 查询来实现分数排名。
如果两个分数相同,则两个分数排名(Rank)相同。请注意,平分后的下一个名次应该是下一个连续的整数值。换句话说,名次之间不应该有“间隔”。
在这里插入图片描述
例如,根据上述给定的 Scores 表,你的查询应该返回(按分数从高到低排列):
在这里插入图片描述

select Score,DENSE_RANK() OVER(ORDER BY Score desc) as Rank
from Scores

5. 连续出现的数字

表:Logs
在这里插入图片描述

编写一个 SQL 查询,查找所有至少连续出现三次的数字。
返回的结果表中的数据可以按 任意顺序 排列。
查询结果格式如下面的例子所示:
在这里插入图片描述
方法一:
如果是连续100次,1000次数值相同,那么这种方法就不适用了

select distinct a.Num as  ConsecutiveNums
from Logs a 
inner join Logs b 
on a.ID = B.ID +1 and a.NUm = b.Num
inner join Logs c 
on a.ID = C.ID +2 and b.Num = c.Num 

方法二:

SELECT DISTINCT Num as ConsecutiveNums 
FROM (SELECT Num,COUNT(1) as SerialCount 
FROM (SELECT Id,Num,row_number() over(order by id) -ROW_NUMBER() over(partition by Num order by Id) as SerialNumberSubGroup
FROM Logs) as Sub
GROUP BY Num,SerialNumberSubGroup HAVING COUNT(1) >= 3) as Result

6. 超过经理收入的员工

Employee 表包含所有员工,他们的经理也属于员工。每个员工都有一个 Id,此外还有一列对应员工的经理的 Id。
在这里插入图片描述
给定 Employee 表,编写一个 SQL 查询,该查询可以获取收入超过他们经理的员工的姓名。在上面的表格中,Joe 是唯一一个收入超过他的经理的员工。
在这里插入图片描述

7. 重新

if object_id('department','u') is not null drop table department
create table department (id int,revenue INT,MONTH VARCHAR(10))
INSERT INTO DEPARTMENT(id,REVENUE,MONTH)
VALUES(1,8000    , 'Jan'  )
,(2,9000    , 'Jan'  )
,(3,10000   , 'Feb'  )
,(1,7000    , 'Feb'  )
,(1,6000    , 'Mar'  )
select id
,sum(case when month = 'Jan' then revenue else null end) as jan_revenue
,sum(case when month = 'Feb' then revenue else null end) as Feb_revenue
,sum(case when month = 'Mar' then revenue else null end) as Mar_revenue
,sum(case when month = 'Apr' then revenue else null end) as Apr_revenue
,sum(case when month = 'May' then revenue else null end) as May_revenue
,sum(case when month = 'Jun' then revenue else null end) as Jun_revenue
,sum(case when month = 'Jul' then revenue else null end) as Jul_revenue
,sum(case when month = 'Aug' then revenue else null end) as Aug_revenue
,sum(case when month = 'Sep' then revenue else null end) as Sep_revenue
,sum(case when month = 'Oct' then revenue else null end) as Oct_revenue
,sum(case when month = 'Nov' then revenue else null end) as Nov_revenue
,sum(case when month = 'Dec' then revenue else null end) as Dec_revenue
from DEPARTMENT
group by id

8. 寻找用户推荐人

给定表 customer ,里面保存了所有客户信息和他们的推荐人。
在这里插入图片描述
写一个查询语句,返回一个客户列表,列表中客户的推荐人的编号都 不是 2。

对于上面的示例数据,结果为:

在这里插入图片描述

--方法一:执行耗时852ms
select name 
from customer 
where isnull(referee_id,0) <> 2--方法二:执行耗时1038ms
select name 
from customer 
where id not in (select id from customer where referee_id = 2
)

9. 销售员

在这里插入图片描述
在这里插入图片描述
在这里插入图片描述
编写一个SQL查询,报告没有任何与名为 “RED” 的公司相关的订单的所有销售人员的姓名。

以 任意顺序 返回结果表。


--方法一:运行耗时903msSELECT s.name
FROM salesperson s
WHERE s.sales_id NOT IN (SELECTo.sales_idFROM orders oLEFT JOIN company c ON o.com_id = c.com_idWHERE c.name = 'RED')
;

10. 排名靠前的旅行者

表:Users
在这里插入图片描述
表:Rides
在这里插入图片描述
写一段 SQL , 报告每个用户的旅行距离。

返回的结果表单,以 travelled_distance 降序排列 ,如果有两个或者更多的用户旅行了相同的距离, 那么再以 name 升序排列 。

查询结果格式如下例所示。
在这里插入图片描述

select name,travelled_distance from (
select b.id,b.name,isnull(sum(distance),0) as travelled_distance 
from users b
left join rides a 
on a.user_id = b.id 
group by b.id,b.name ) a 
order by travelled_distance desc,name asc

11. 患某种疾病的患者

患者信息表: Patients
在这里插入图片描述
写一条 SQL 语句,查询患有 I 类糖尿病的患者 ID (patient_id)、患者姓名(patient_name)以及其患有的所有疾病代码(conditions)。I 类糖尿病的代码总是包含前缀 DIAB1 。

按 任意顺序 返回结果表。

select * 
from patients 
where conditions like 'DIAB1%'
or conditions like '% DIAB1%'

12. 修复表中的名字

表: Users
在这里插入图片描述
编写一个 SQL 查询来修复名字,使得只有第一个字符是大写的,其余都是小写的。

返回按 user_id 排序的结果表。

select user_id,
concat(upper(left(name, 1)), lower(right(name, len(name) - 1))) name
from Users
order by user_id

13. 求关注者的数量

表: Followers
在这里插入图片描述
写出 SQL 语句,对于每一个用户,返回该用户的关注者数量。

按 user_id 的顺序返回结果表。

select user_id ,isnull(count(*),0) as followers_count
from Followers 
group by user_id

14. 可回收且低脂的产品

表:Products
在这里插入图片描述
写出 SQL 语句,查找既是低脂又是可回收的产品编号。

返回结果 无顺序要求 。

select product_id from Products 
where low_fats ='Y' and recyclable ='Y'

15. 计算特殊奖金

表: Employees
在这里插入图片描述
写出一个SQL 查询语句,计算每个雇员的奖金。如果一个雇员的id是奇数并且他的名字不是以’M’开头,那么他的奖金是他工资的100%,否则奖金为0。

Return the result table ordered by employee_id.

返回的结果集请按照employee_id排序。

select employee_id  
,case when employee_id % 2 = 1 and left(name  ,1) <>'M'
then salary  else 0 end as bonus 
from Employees 
order by employee_id

16. 丢失信息的雇员

表: Employees
在这里插入图片描述
表: Salaries
在这里插入图片描述
写出一个查询语句,找到所有 丢失信息 的雇员id。当满足下面一个条件时,就被认为是雇员的信息丢失:

雇员的 姓名 丢失了,或者
雇员的 薪水信息 丢失了,或者
返回这些雇员的id employee_id , 从小到大排序 。

select employee_id from 
(select employee_id from Employeesunion allselect employee_id from Salaries
)as t
group by employee_id
having count(employee_id) = 1
order by employee_id

17. 每个产品在不同商店的价格

表:Products
在这里插入图片描述
请你重构 Products 表,查询每个产品在不同商店的价格,使得输出的格式变为(product_id, store, price) 。如果这一产品在商店里没有出售,则不输出这一行。

输出结果表中的 顺序不作要求 。

select *from (
select product_id,store,price
from Products 
unpivot(price for store in(store1  ,store2,store3  )) c)a 
where price is not null

18. 文章浏览

请编写一条 SQL 查询以找出所有浏览过自己文章的作者,结果按照 id 升序排列。

查询结果的格式如下所示:
在这里插入图片描述

--distinct 去重
select distinct author_id as id 
from Views 
where author_id = viewer_id
order by author_id --group by 去重
select  author_id as id 
from Views 
where author_id = viewer_id
group by author_id
order by author_id 

19. 上升的温度

编写一个 SQL 查询,来查找与之前(昨天的)日期相比温度更高的所有日期的 id 。
返回结果 不要求顺序 。
查询结果格式如下例。
在这里插入图片描述

select a.id from weather a
left join weather b 
on a.recordDate = dateadd(day,1,b.recordDate)
where a.temperature > b.temperature

20. 按日期分组销售产品

编写一个 SQL 查询来查找每个日期、销售的不同产品的数量及其名称。
每个日期的销售产品名称应按词典序排列。
返回按 sell_date 排序的结果表。
查询结果格式如下例所示。
在这里插入图片描述

--MS SQL SERVER
select sell_date ,count(distinct product) as  num_sold 
,STUFF((select distinct ','+product 
from activities B 
where  A.sell_date = B.sell_date 
FOR XML PATH('')),1,1,'') as products                     
from activities a
group by sell_date--MySQL
select sell_date, count(distinct product) as num_sold, group_concat(distinct product order by product separator ',') as products
from Activities
group by sell_date
order by sell_date;

21. 员工奖金

选出所有 bonus < 1000 的员工的 name 及其 bonus。

--建表
if object_id('Employee','u') is not null drop table Employee
go
create table Employee(empId int,  name  varchar(20), supervisor int , salary  int
)
go
insert into Employee
values(1  ,'John'   ,3       , 1000 )
,(2  ,'Dan'    ,3       , 2000 )
,(3  ,'Brad'   ,null    , 4000 )
,(4  ,'Thomas' ,3       , 4000 )
go
if object_id('Bonus','u') is not null drop table Bonus
go
create table Bonus (empId int , bonus  int
)
go
insert into Bonus
values(2    ,500 )
,(4    ,2000)
go
--查询
select a.name,b.bonus
from employee a
left join bonus b
on a.empid = b.empid
where isnull(b.bonus,0) < 1000

22. 使用唯一标识码替换员工Id

写一段SQL查询来展示每位用户的 唯一标识码(unique ID );如果某位员工没有唯一标识码,使用 null 填充即可。
你可以以 任意 顺序返回结果表。

--建表
if object_id('Employees','u') is not null drop table Employees
go
create table Employees  (id            int
, name         varchar(20)
)
go
insert into Employees
values
(1  ,'Alice'    )
,(7  ,'Bob'      )
,(11 ,'Meir'     )
,(90 ,'Winston'  )
,(3  ,'Jonathan' )
go
if object_id('EmployeeUNI','u') is not null drop table EmployeeUNI
go
create table EmployeeUNI(id           int
, unique_id     int
)
go
insert into EmployeeUNI
values(3  , 1   )
,(11 , 2   )
,(90 , 3   )
go
--查询
select b.unique_id,a.name
from Employees a
left join EmployeeUNI b
on a.id = b.id

23. 订单最多的客户

编写一个SQL查询,为下了 最多订单 的客户查找 customer_number 。
测试用例生成后, 恰好有一个客户 比任何其他客户下了更多的订单。

--建表
if object_id('Orders','u') is not null drop table Orders
go
create table Orders(order_number    int
, customer_number int
)
go
insert into Orders
values(1   ,1   )
,(2   ,2   )
,(3   ,3   )
,(4   ,3   )
go
--查询
--方法一
select customer_number from (
select *,row_number() over(order by cnt desc ) as rnk
from (select customer_number ,count(distinct order_number) as cntfrom Ordersgroup by customer_number ) a ) a
where rnk = 1
--方法二
select top 1 customer_number 
from orders 
group by customer_number 
order by count(order_number) desc

24. 判断三角形

写一个SQL查询,每三个线段报告它们是否可以形成一个三角形。
以 任意顺序 返回结果表。

--建表
if object_id('Triangle','u') is not null drop table Triangle
go
create table Triangle(x         int
,y         int
,z         int
)
go
insert into Triangle
values( 13, 15 ,30 )
,( 10, 20 ,15 )
go
--查询
select *,case when x+y>z and  x+z>y and  y+z >x then 'Yes' else 'No' END as triangle
FROM Triangle

25. 只出现一次的最大数字

单一数字 是在 MyNumbers 表中只出现一次的数字。
请你编写一个 SQL 查询来报告最大的 单一数字 。如果不存在 单一数字 ,查询需报告 null 。

if object_id('MyNumbers','u') is not null drop table MyNumbers
go
create table MyNumbers  (num        int
)
go
insert into MyNumbers
values( 8  )
,( 8  )
,( 3  )
,( 3  )
,( 1  )
,( 4  )
,( 5  )
,( 6  )
go
--查询
select max(num) as num
from (select numfrom MyNumbersgroup by numhaving count(*) = 1 ) a

26. 平均售价

编写SQL查询以查找每种产品的平均售价。
average_price 应该四舍五入到小数点后两位。

--建表
if object_id('Prices','u') is not null drop table Prices
go
create table Prices(product_id     int
, start_date     date
, end_date       date
, price          int
)
go
insert into Prices
values(1    ,'2019-02-17','2019-02-28', 5      )
,(1    ,'2019-03-01','2019-03-22', 20     )
,(2    ,'2019-02-01','2019-02-20', 15     )
,(2    ,'2019-02-21','2019-03-31', 30     )
go
if object_id('UnitsSold','u') is not null drop table UnitsSold
go
create table UnitsSold (product_id     int
,purchase_date  date
, units          int
)
go
insert into UnitsSold
values(1 ,'2019-02-25', 100)
,(1 ,'2019-03-01', 15 )
,(2 ,'2019-02-10', 200)
,(2 ,'2019-03-22', 30 )
go
--查询select product_id ,cast(sum(price * units ) * 1.0 /sum(units) as decimal(19,2)) average_price
from (
select a.*,b.units
from Prices  a
left join UnitsSold b
on a.product_id = b.product_id
and b.purchase_date between a.start_date and a.end_date ) a
group by product_id

27. 查找拥有有效邮箱的用户

写一条 SQL 语句,查询拥有有效邮箱的用户。
有效的邮箱包含符合下列条件的前缀名和域名:
前缀名是包含字母(大写或小写)、数字、下划线 ‘_’、句点 ‘.’ 和/或横杠 ‘-’ 的字符串。前缀名必须以字母开头。
域名是 ‘@leetcode.com’ 。
按任意顺序返回结果表。

--建表
if object_id('Users','u') is not null drop table Users
go
create table Users (user_id       int
, name          varchar(100)
, mail          varchar(100)
)
go
insert into Users
values( 1    ,'Winston'   ,'winston@leetcode.com'    )
,( 2    ,'Jonathan'  ,'jonathanisgreat'         )
,( 3    ,'Annabelle' ,'bella-@leetcode.com'     )
,( 4    ,'Sally'     ,'sally.come@leetcode.com' )
,( 5    ,'Marwan'    ,'quarz#2020@leetcode.com' )
,( 6    ,'David'     ,'david69@gmail.com'       )
,( 7    ,'Shapiro'   ,'.shapo@leetcode.com'     )
go
--查询
SELECT *
FROM Users
WHERE mail LIKE '[A-Za-z]%@leetcode.com' AND mail NOT LIKE '%[^A-Za-z0-9._/-]%@%'

28. 查询结果的质量和占比

在这里插入图片描述

将查询结果的质量 quality 定义为:
各查询结果的评分与其位置之间比率的平均值。

将劣质查询百分比 poor_query_percentage 为:
评分小于 3 的查询结果占全部查询结果的百分比。

编写一组 SQL 来查找每次查询的名称(query_name)、质量(quality) 和 劣质查询百分比(poor_query_percentage)。
质量(quality) 和劣质查询百分比(poor_query_percentage) 都应四舍五入到小数点后两位。

--建表
if object_id('Queries','u') is not null drop table Queries
go
create table Queries(query_name   varchar(100)
,result       varchar(100)
,position     int
,rating       int
)
go
insert into     Queries
values('Dog',       'Golden Retriever'  ,1    ,5  )
,('Dog',       'German Shepherd'   ,2    ,5  )
,('Dog',       'Mule'              ,200  ,1  )
,('Cat',       'Shirazi'           ,5    ,2  )
,('Cat',       'Siamese'           ,3    ,3  )
,('Cat',       'Sphynx'            ,7    ,4  )
go
--查询
select query_name, cast(avg(rating *1.0 / position )  as decimal(19,2)) as Quality
,cast(sum(case when rating < 3 then 1 else 0 end ) * 100.0 /count(*) as decimal(19,2)) as poor_query_percentage
from Queries
group by query_name

29. 列出指定时间段内所有的下单产品

写一个解决方案,要求获取在 2020 年 2 月份下单的数量不少于 100 的产品的名字和数目。
返回结果表单的 顺序无要求 。

--建表
if object_id('Products','U') is not null drop table Products
go
create table Products(product_id       int,product_name     varchar(100),product_category varchar(100)
)
go
insert into Products
values(1      ,'Leetcode Solutions'    ,'Book'       )
,(2      ,'Jewels of Stringology' ,'Book'       )
,(3      ,'HP'                    ,'Laptop'     )
,(4      ,'Lenovo'                ,'Laptop'     )
,(5      ,'Leetcode Kit'          ,'T-shirt'    )
go
if object_id('Orders','u') is not null drop table Orders
go
create table Orders(product_id    int,order_date    date,unit          int
)
go
insert into Orders
values( 1   ,'2020-02-05',60 )
,( 1   ,'2020-02-10',70 )
,( 2   ,'2020-01-18',30 )
,( 2   ,'2020-02-11',80 )
,( 3   ,'2020-02-17',2  )
,( 3   ,'2020-02-24',3  )
,( 4   ,'2020-03-01',20 )
,( 4   ,'2020-03-04',30 )
,( 4   ,'2020-03-04',60 )
,( 5   ,'2020-02-25',50 )
,( 5   ,'2020-02-27',50 )
,( 5   ,'2020-03-01',50 )
go
--查询
select a.Product_name,sum(b.Unit) as Unit
from Products  a
left join orders b
on a.product_id = b.product_id
where year(order_date ) = 2020 and month(order_date) = 2
group by a.product_name
having sum(b.Unit) >= 100

30. 最高薪水差异

在这里插入图片描述
编写一个解决方案,计算 市场部门 和 工程部门 中 最高 工资之间的差异。输出工资的绝对差异。
返回结果表。
返回结果格式如下示例所示。
在这里插入图片描述

--建表
if object_id('Salaries','u') is not null drop table Salaries
go
create table Salaries(emp_name     varchar(20)
, department   varchar(20)
, salary      int
)
go
insert into Salaries
values(  'Kathy'    ,'Engineering' ,50000  )
,(  'Roy'      ,'Marketing'   ,30000  )
,(  'Charles'  ,'Engineering' ,45000  )
,(  'Jack'     ,'Engineering' ,85000  )
,(  'Benjamin' ,'Marketing'   ,34000  )
,(  'Anthony'  ,'Marketing'   ,42000  )
,(  'Edward'   ,'Engineering' ,102000 )
,(  'Terry'    ,'Engineering' ,44000  )
,(  'Evelyn'   ,'Marketing'   ,53000  )
,(  'Arthur'   ,'Engineering' ,32000  )
go
--查询
select ABS(max(a.salary) - max(b.salary)) as salary_difference
from salaries a
full outer join salaries b
on b.department = 'Marketing'
where a.department = 'Engineering'

31. 总旅行距离

在这里插入图片描述
编写一个解决方案,计算每个用户的旅行距离 distance 。如果有用户没有任何旅行记录,那么他们的 distance 应被视为 0 。输出 user_id, name 和总旅行距离 traveled distance 。
按 升序排序 的 user_id 返回结果表。
结果格式如下示例。
在这里插入图片描述

--建表
if object_id('Users','u') is not null drop table Users
go
create table Users(
user_id      int
, name        varchar(20)
)
go
insert into Users
values( 17  ,'Addison' )
,( 14  ,'Ethan'   )
,( 4   ,'Michael' )
,( 2   ,'Avery'   )
,( 10  ,'Eleanor' )
go
if object_id('Rides','u') is not null drop table Rides
go
create table Rides (
ride_id       int
,user_id       int
,distance      int
)
go
insert into Rides
values( 72  ,17   ,160  )
,( 42  ,14   ,161  )
,( 45  ,4    ,59   )
,( 32  ,2    ,197  )
,( 15  ,4    ,357  )
,( 56  ,2    ,196  )
,( 10  ,14   ,25   )
go
--查询
select a.user_id ,a.name
, isnull(sum(b.distance ),0) as [traveled distance]
from Users  a
left join Rides b
on a.user_id = b.user_id
group by a.user_id ,a.name
order by a.user_id

32. 自行车的最后使用时间

在这里插入图片描述
编写一个解决方案,找出每辆自行车 最近一次被使用 的时间。
返回结果表按 最近被使用 的自行车进行排序。
返回结果的格式如下所示:
在这里插入图片描述

--建表
if object_id('Bikes' ,'u') is not null drop table Bikes
go
create table Bikes(ride_id     int
, bike_number  varchar(20)
, start_time   datetime
, end_time     datetime
)
go
insert into Bikes
values( 1,'W00576', '2012-03-25 11:30:00',  '2012-03-25 12:40:00')
,( 2,'W00300', '2012-03-25 10:30:00',  '2012-03-25 10:50:00')
,( 3,'W00455', '2012-03-26 14:30:00',  '2012-03-26 17:40:00')
,( 4,'W00455', '2012-03-25 12:30:00',  '2012-03-25 13:40:00')
,( 5,'W00576', '2012-03-25 08:10:00',  '2012-03-25 09:10:00')
,( 6,'W00576', '2012-03-28 02:30:00',  '2012-03-28 02:50:00')
go
--查询
select bike_number
,max(end_time            ) as end_time
from Bikes
group by bike_number
order by end_time desc

33. 统计 Spotify 排行榜上艺术家出现次数

在这里插入图片描述
编写解决方案来查找每个艺术家在Spotify排行榜上出现的次数。
返回结果表,其中包含艺术家的名称以及相应的出现次数,按出现次数 降序 排列。如果出现次数相等,则按艺术家名称 升序 排列。
返回结果格式如下所示:
在这里插入图片描述

--建表
if object_id('Spotify','u') is not null drop table Spotify
go
create table Spotify(id         int
, track_name   varchar(20)
, artist      varchar(20)
)
go
insert into  Spotify
values( 303651  ,'Heart Won''t Forget' ,'Sia'       )
,( 1046089 ,'Shape of you'       ,'Ed Sheeran')
,( 33445   ,'I''m the one'        ,'DJ Khalid' )
,( 811266  ,'Young Dumb & Broke' ,'DJ Khalid' )
,( 505727  ,'Happier'            ,'Ed Sheeran')
go
--查询
select artist     ,count(id ) as occurrences
from Spotify
group by artist
order by count(id ) desc,artist

34. 查询员工当前薪水

在这里插入图片描述
找出每个员工的当前薪水,假设薪水每年增加。输出他们的 emp_id 、firstname 、lastname 、salary 和 department_id 。
按 emp_id 升序排序 返回结果表。
返回结果格式如下所示。
在这里插入图片描述

--建表
if object_id('Salary','u') is not null drop table Salary
go
create table Salary(emp_id         int
, firstname     varchar(20)
, lastname      varchar(20)
, salary         varchar(20)
, department_id  varchar(20)
)
go
insert into Salary
values( 1, 'Todd'      ,'Wilson'   ,110000 ,'D1006')
,( 1, 'Todd'      ,'Wilson'   ,106119 ,'D1006')
,( 2, 'Justin'    ,'Simon'    ,128922 ,'D1005')
,( 2, 'Justin'    ,'Simon'    ,130000 ,'D1005')
,( 3, 'Kelly'     ,'Rosario'  ,42689  ,'D1002')
,( 4, 'Patricia'  ,'Powell'   ,162825 ,'D1004')
,( 4, 'Patricia'  ,'Powell'   ,170000 ,'D1004')
,( 5, 'Sherry'    ,'Golden'   ,44101  ,'D1002')
,( 6, 'Natasha'   ,'Swanson'  ,79632  ,'D1005')
,( 6, 'Natasha'   ,'Swanson'  ,90000  ,'D1005')
go
--查询select
emp_id , firstname, lastname , salary ,department_id
from (selectemp_id , firstname, lastname , salary ,department_id,rank() over(partition by emp_id order by salary desc ) as rnkfrom Salary  ) a
where rnk =1
order by emp_id

35. 把名字和职业联系起来

在这里插入图片描述
编写一个解决方案报告每个人的名字,后面是他们职业的第一个字母,用括号括起来。
返回按 person_id 降序排列 的结果表。
返回结果格式示例如下。
在这里插入图片描述

--建表
if object_id('Person' ,'u') is not null drop table Person
go
create table Person (person_id   int
, name         varchar(20)
, profession  varchar(20)
)
go
insert into Person
values(  1  ,'Alex'  ,'Singer'    )
,(  3  ,'Alice' ,'Actor'     )
,(  2  ,'Bob'   ,'Player'    )
,(  4  ,'Messi' ,'Doctor'    )
,(  6  ,'Tyson' ,'Engineer'  )
,(  5  ,'Meir'  ,'Lawyer'    )
go
--查询
select person_id, name + '(' + left(profession ,1) +')' as name
from Person
order by person_id  desc

36. 形成化学键

在这里插入图片描述
如果一个元素是 ‘Metal’,另外一个元素是 ‘Nonmetal’ ,那么它们可以形成键。
编写一个解决方案找出所有可以形成键的元素对。
以 任意顺序 返回结果表。
查询结果格式如下所示。
在这里插入图片描述

--建表
if object_id('Elements','u') is not null drop table Elements
go
create table Elements(symbol     varchar(20)
, type       varchar(20)
, electrons   int
)
go
insert into Elements
values( 'He'  ,'Noble'    ,0   )
,( 'Na'  ,'Metal'    ,1   )
,( 'Ca'  ,'Metal'    ,2   )
,( 'La'  ,'Metal'    ,3   )
,( 'Cl'  ,'Nonmetal' ,1   )
,( 'O'   ,'Nonmetal' ,2   )
,( 'N'   ,'Nonmetal' ,3   )
go
--查询
select  a.symbol as metal,b.symbol as nonmetal
from Elements  a
cross join (select distinct symbol  from Elementswhere type     = 'Nonmetal') b
where a.type     = 'Metal'

37. 整理奥运表

在这里插入图片描述
奥运名次表的排序规则如下:

  • 金牌越多的国家排名第一。
  • 如果金牌数持平,银牌多的国家排名第一。
  • 如果银牌数量持平,铜牌数量最多的国家排名第一。
  • 如果铜牌中出现并列,那么并列的国家将按照字典的升序进行排序。
    写一个解决方案对奥运表进行排序

返回结果格式示例如下。

--建表
if object_id('Olympic','u') is not null drop table Olympic
go
create table Olympic (country      varchar(20)
, gold_medals  int
, silver_medals int
, bronze_medals  int
)
go
insert into Olympic
values( 'China'       , 10   , 10   ,20  ),( 'South Sudan' , 0    , 0    ,1   ),( 'USA'         , 10   , 10   ,20  ),( 'Israel'      , 2    , 2    ,3   ),( 'Egypt'       , 2    , 2    ,2   )go
--查询
select country   ,gold_medals   , silver_medals  , bronze_medals
from (
select *
,rank() over(order by gold_medals desc ) as gold_rank
,rank() over(order by silver_medals desc ) as silver_rank
,rank() over(order by bronze_medals desc) as bronze_rank
from Olympic ) a
order by gold_rank ,silver_rank ,bronze_rank ,country

38. 每位教师所教授的科目种类的数量

在这里插入图片描述
查询每位老师在大学里教授的科目种类的数量。
以 任意顺序 返回结果表。
查询结果格式示例如下。
在这里插入图片描述

--建表
if object_id('Teacher','u') is not null drop table Teacher
go
create table Teacher(teacher_id   int
, subject_id   int
, dept_id     int
)
go
insert into Teacher
values(  1   ,2   ,3   )
,(  1   ,2   ,4   )
,(  1   ,3   ,3   )
,(  2   ,1   ,1   )
,(  2   ,2   ,1   )
,(  2   ,3   ,1   )
,(  2   ,4   ,1   )
go
--查询
select teacher_id ,count(distinct subject_id ) as cnt
from Teacher
group by teacher_id

39. 联赛的所有比赛

在这里插入图片描述
编写解决方案,获取联赛中所有比赛。每两支球队进行两场比赛,其中一支球队是主队 home_team ,另一支是客场队 away_team。
按 任意顺序 返回结果表。
返回结果格式如下例所示。

在这里插入图片描述

--建表
if object_id('Teams','u') is not null drop table Teams
go
create table Teams(team_name    varchar(20)
)
go
insert into Teams
values( 'Leetcode FC' )
,( 'Ahly SC'     )
,( 'Real Madrid' )
go
--查询
select a.team_name as home_team      ,b.team_name as away_team
from Teams a
cross join Teams b
where a.team_name   <> b.team_name

39. 产品销售分析 ⑤

在这里插入图片描述
编写解决方案,获取每个用户的消费额。
按用户消费额 spending 递减的顺序返回结果。在消费额相等的情况下,以 user_id 递增的顺序将其排序。
结果的格式如下面例子所示:
在这里插入图片描述

在这里插入代码片

40. 净现值查询

在这里插入图片描述
编写解决方案,找到 Queries 表中每一次查询的净现值。
结果表 没有顺序要求 。
查询结果的格式如下所示:
在这里插入图片描述
在这里插入图片描述

--建表
if object_id('NPV','u') is not null drop table NPV
go
create table NPV(id            int
,year           int
,npv            int
)
go
insert into  NPV
values( 1    ,2018  , 100   )
,( 7    ,2020  , 30    )
,( 13   ,2019  , 40    )
,( 1    ,2019  , 113   )
,( 2    ,2008  , 121   )
,( 3    ,2009  , 12    )
,( 11   ,2020  , 99    )
,( 7    ,2019  , 0     )
go
if object_id('Queries','u') is not null drop table Queries
go
create table Queries(id           int
, year         int
)
go
insert into Queries
values(1    , 2019  )
,(2    , 2008  )
,(3    , 2009  )
,(7    , 2018  )
,(7    , 2019  )
,(7    , 2020  )
,(13   , 2019  )
go
--查询
select a.*,isnull(b.npv,0) npv
from Queries a
left join NPV b
on a.id = b.id and a.year = b.year

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/195797.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

前后端参数传递总结

1、 页面参数 js传递参数 渲染表格 页面控制器&#xff08;前端&#xff09; 后端控制器 后端服务 实体赋值 2、跟踪情况

场景实践 | 法大大落地业财一体化,优化流程结构

2023 年&#xff0c;法大大作为中国电子签行业唯一上榜《2023胡润全球未来独角兽》企业&#xff0c;同时上榜“2022深圳市潜在科技独角兽企业榜单”。作为高速发展的高科技服务企业&#xff0c;法大大自2021年完成9亿元腾讯D轮融资后&#xff0c;建立了长期主义发展计划&#x…

计算机基础知识63

Django的条件查询&#xff1a;查询函数 exclude exclude&#xff1a;返回不满足条件的数据 res Author.objects.exclude(pk1) print(res) # <QuerySet [<Author: Author object (2)>, <Author: Author object (3)>]> order_by 1、按照 id 升序排序 res …

【Seata源码学习 】篇六 全局事务提交与回滚

【Seata源码学习 】篇六 全局事务提交与回滚 全局事务提交 TM在RPC远程调用RM后,如果没有出现异常&#xff0c;将向TC发送提交全局事务请求io.seata.tm.api.TransactionalTemplate#execute public Object execute(TransactionalExecutor business) throws Throwable {// 1. …

【离散数学】——期末刷题题库(集合)

&#x1f383;个人专栏&#xff1a; &#x1f42c; 算法设计与分析&#xff1a;算法设计与分析_IT闫的博客-CSDN博客 &#x1f433;Java基础&#xff1a;Java基础_IT闫的博客-CSDN博客 &#x1f40b;c语言&#xff1a;c语言_IT闫的博客-CSDN博客 &#x1f41f;MySQL&#xff1a…

【FPGA】Verilog:二进制并行加法器 | 超前进位 | 实现 4 位二进制并行加法器和减法器 | MSI/LSI 运算电路

Ⅰ. 前置知识 0x00 并行加法器和减法器 如果我们要对 4 位加法器和减法器进行关于二进制并行运算功能&#xff0c;可以通过将加法器和减法器以 N 个并行连接的方式&#xff0c;创建一个执行 N 位加法和减法运算的电路。 4 位二进制并行加法器 4 位二进制并行减法器 换…

内存是如何工作的

一、什么是内存 从外观上辨识&#xff0c;它就是内存条&#xff1b;从硬件上讲&#xff0c;它叫RAM&#xff0c;翻译过来叫随机存储器。英文全称&#xff1a;Random Access Memory。它也叫主存&#xff0c;是与CPU直接交换数据的内部存储器。其特点是读写速度快&#xff0c;不…

java开发之个微机器人的实现

简要描述&#xff1a; 二次登录 请求URL&#xff1a; http://域名地址/secondLogin 请求方式&#xff1a; POST 请求头Headers&#xff1a; Content-Type&#xff1a;application/jsonAuthorization&#xff1a;login接口返回 参数&#xff1a; 参数名必选类型说明wcId…

【每日一题】从二叉搜索树到更大和树

文章目录 Tag题目来源题目解读解题思路方法一&#xff1a;中序遍历的反序方法二&#xff1a;后缀数组 写在最后 Tag 【中序遍历】【二叉树】【2023-12-04】 题目来源 1038. 从二叉搜索树到更大和树 题目解读 在二叉搜索树中&#xff0c;将每一个节点的值替换成树中大于等于该…

根文件系统lib库添加与初步测试

一. 简介 我们在编译 busybox源码时&#xff0c;选择的是动态编译&#xff0c;所以&#xff0c;制作生成的 根文件系统中/bin或 /sbin目录下软件运行时会调用到一些库文件的。库文件就是交叉编译器的库文件。 前面我们编译 busybox源码时&#xff0c;选择动态编译&#xff0…

NPS内网穿透教程

1.简介 nps是一款轻量级、高性能、功能强大的内网穿透代理服务器。目前支持tcp、udp流量转发&#xff0c;可支持任何tcp、udp上层协议&#xff08;访问内网网站、本地支付接口调试、ssh访问、远程桌面&#xff0c;内网dns解析等等……&#xff09;&#xff0c;此外还支持内网ht…

安卓1.0明显是基于linux内核开发的,安卓1.0是不是linux套壳?

安卓1.0明显是基于linux内核开发的&#xff0c;安卓1.0是不是linux套壳&#xff1f; 在开始前我有一些资料&#xff0c;是我根据自己从业十年经验&#xff0c;熬夜搞了几个通宵&#xff0c;精心整理了一份「安卓开发资料从专业入门到高级教程工具包」&#xff0c;点个关注&…

大数据集群增加数据盘,平衡数据盘HDFS Disk Balancer

大数据集群增加数据盘&#xff0c;平衡数据盘HDFS Disk Balancer 官网&#xff1a;https://hadoop.apache.org/docs/r3.3.6/hadoop-project-dist/hadoop-hdfs/HDFSDiskbalancer.html hdfs diskbalancer -execute /system/diskbalancer/nodename.plan.jsonhdfs diskbalancer -q…

IDEA2023找不到 Allow parallel run

我的idea版本&#xff1a;2023.1.4 第一步&#xff1a;点击Edit Configrations 第二步&#xff1a;点击Modify options 第三步&#xff1a;勾选Allow multiple instances 最后点击Apply应用一下 ok,问题解决&#xff01;

SSM项目实战-登录验证成功并路由到首页面,Vue3+Vite+Axios+Element-Plus技术

1、util/request.js import axios from "axios";let request axios.create({baseURL: "http://localhost:8080",timeout: 50000 });export default request 2、api/sysUser.js import request from "../util/request.js";export const login (…

Mysql日志

文章目录 1. 日志类型2. bin log2.1 写入机制2.2 binlog与redolog对比2.3 两阶段提交 3. 中继日志 1. 日志类型 这 6 类日志分别为&#xff1a; 慢查询日志&#xff1a; 记录所有执行时间超过long_query_time的所有查询&#xff0c;方便我们对查询进行优化。 通用查询日志&am…

在sCrypt网站上铭刻Ordinals

sCrypt发布了一个新的Ordinals铭刻工具&#xff0c;连接Panda Wallet后即可使用。你可以观看我们录制的视频教程&#xff0c;获得更多细节。 铭刻工具同时支持BSV主网&#xff08;mainnet&#xff09;和测试网&#xff08;testnet&#xff09;&#xff0c;你可以在我们的官方网…

手写VUE后台管理系统8 - 配置404NotFound路由

设置404页面 配置路由404页面 配置路由 这里配置了两个路由&#xff0c;一个是主页&#xff0c;另外一个则匹配任意路由显示为404页面。因为只配置了两个路由&#xff0c;如果路径没有匹配到主页&#xff0c;则会被自动导向到404页面&#xff0c;这样就可以实现整站统一的404页…

「Linux」使用C语言制作简易Shell

&#x1f4bb;文章目录 &#x1f4c4;前言简易shell实现shell的概念系统环境变量shell的结构定义内建命令完整代码 &#x1f4d3;总结 &#x1f4c4;前言 对于很多学习后端的同学来讲&#xff0c;学习了C语言&#xff0c;发现除了能写出那个经典的“hello world”以外&#xff…

142873-41-4脂质过氧化抑制剂1-星戈瑞

142873-41-4脂质过氧化抑制剂1 英文名称&#xff1a;Lipid peroxidation inhibitor 1 中文名称&#xff1a;脂质过氧化抑制剂 化学名称&#xff1a;2,4,6,7-四甲基-2-[(4-苯基哌啶-1-基)甲基]-3H-1-苯并呋喃-5-胺 CAS&#xff1a;142873-41-4 外观&#xff1a;固体粉末 分…