经验首页 前端设计 程序设计 Java相关 移动开发 数据库/运维 软件/图像 大数据/云计算 其他经验
当前位置:技术经验 » 数据库/运维 » MS SQL Server » 查看文章
SQL common keywords examples and tricks
来源:cnblogs  作者:HeyJudeee  时间:2019/10/31 8:52:21  对本文有异议

Case Sensitive Check

1. Return names contain upper case 

  1. Select id, name from A where name<>lower(name) collate SQL_Latin1_General_CP1_CS_AS

2. Return same name but diff case 

  1. Select id, A.name, B.name from A inner join B on A.name=B.name where A.name<>B.name collate SQL_Latin1_General_CP1_CS_AS

 

 

Case when

https://blog.csdn.net/evilcry2012/article/details/52148641

1. Calculate sum of different group

国家(country)    人口(population)
中国    600
美国    100
加拿大    100
英国    200
法国    300
日本    250
德国    200
墨西哥    50
印度    250

Result:

洲    人口
亚洲    1100
北美洲    250
其他    700

  1. SELECT SUM(population),
  2. CASE country
  3. WHEN '中国' THEN '亚洲'
  4. WHEN '印度' THEN '亚洲'
  5. WHEN '日本' THEN '亚洲'
  6. WHEN '美国' THEN '北美洲'
  7. WHEN '加拿大' THEN '北美洲'
  8. WHEN '墨西哥' THEN '北美洲'
  9. ELSE '其他' END
  10. FROM Table_A
  11. GROUP BY CASE country
  12. WHEN '中国' THEN '亚洲'
  13. WHEN '印度' THEN '亚洲'
  14. WHEN '日本' THEN '亚洲'
  15. WHEN '美国' THEN '北美洲'
  16. WHEN '加拿大' THEN '北美洲'
  17. WHEN '墨西哥' THEN '北美洲'
  18. ELSE '其他' END;

2. Calculate total amount of different pay level

  1. SELECT
  2. CASE WHEN salary <= 500 THEN '1'
  3. WHEN salary > 500 AND salary <= 600 THEN '2'
  4. WHEN salary > 600 AND salary <= 800 THEN '3'
  5. WHEN salary > 800 AND salary <= 1000 THEN '4'
  6. ELSE NULL END salary_class,
  7. COUNT(*)
  8. FROM Table_A
  9. GROUP BY
  10. CASE WHEN salary <= 500 THEN '1'
  11. WHEN salary > 500 AND salary <= 600 THEN '2'
  12. WHEN salary > 600 AND salary <= 800 THEN '3'
  13. WHEN salary > 800 AND salary <= 1000 THEN '4'
  14. ELSE NULL END;

3. Calculate sum of different group with multiple columns

国家(country)    性别(sex)    人口(population)
中国    1    340
中国    2    260
美国    1    45
美国    2    55
加拿大    1    51
加拿大    2    49
英国    1    40
英国    2    60

Result: 
国家    男    女
中国    340    260
美国    45    55
加拿大    51    49
英国    40    60

  1. SELECT country,
  2. SUM( CASE WHEN sex = '1' THEN
  3. population ELSE 0 END), --male population
  4. SUM( CASE WHEN sex = '2' THEN
  5. population ELSE 0 END) --female population
  6. FROM Table_A
  7. GROUP BY country;

 

 

Cast & Convert (change data type)

Cast is compatible to both sql server and mysql, convert is designed for sql server, and it can have more styles and specially useful for datetime (check datetime part)

  1. select cast(1.23 as int) --return 1
  2. select convert( int,1.23) --return 1

 

 

Create a column of numbers (usually ids)

  1. DECLARE @startnum INT=1000 --start
  2. DECLARE @endnum INT=1020 --end
  3. ;
  4. WITH gen AS (
  5. SELECT @startnum AS num
  6. UNION ALL
  7. --change number+ i to adjust gap i
  8. SELECT num+3 FROM gen WHERE num+1<=@endnum
  9. )
  10. SELECT * FROM gen
  11. option (maxrecursion 10000)

num
1000
1003
1006
1009
1012
1015
1018
1021

 

Create a column of strings from one long string

  1. ;WITH Split(stpos,endpos)
  2. AS(
  3. SELECT 0 AS stpos, CHARINDEX(',','Alice,Jack,Tom') AS endpos
  4. UNION ALL
  5. SELECT endpos+1, CHARINDEX(',','Alice,Jack,Tom',endpos+1) FROM Split WHERE endpos > 0
  6. )
  7. --LTRIM RTRIM to get rid of white space before start or after end of str
  8. SELECT RTRIM(LTRIM(SUBSTRING('Alice,Jack,Tom',stpos,COALESCE(NULLIF(endpos,0),LEN('Alice,Jack,Tom')+1)-stpos))) as name into #temp
  9. FROM Split

name
Alice
Jack
Tom

 

 

Create a table of lots of strings in same column

  1. SELECT * into #temp FROM (VALUES (1,'Alice'),(2,'Jack'),(3,'Tom')) AS t(id,name)

 id name
1 Alice
2 Jack
3 Tom

 

 

Create a temp table (copy a table)

 1. From a existing table, no need create table (not copy indexing or primary key)

  1. Select id, name, 'placeholder' as sex into #temp from A

Trick to copy a table structure(cols and datatype) but not content

  1. --0=1 to not copy any rows
  2. Select id, name into #temp from A where 0=1
  3.  
  4. --the above query equals to
  5. select id, name into #temp from #temp1
  6. delete from #temp1

2. Create temp table (lifespan: current session, drop on close tab)

  1. create table #tmpStudent(Id int IDENTITY(1,1) PRIMARY KEY,Name varchar(50),Age int) insert into #tmpStudent select id,name,age from #tmpStudent

3. Global temp table (##temp, can visit from other tab, drop on close tab where it is created)

4. Using table variable (lifespan: current transaction, drop after running query block)

  1. DECLARE @temp Table ( Id int, Name varchar(20), Age int )

 

 

 Datetime 

1. Current date/datetime/UTC date, convert datetime to date only

  1. select GETDATE()
  2. select GETUTCDATE()
  3. select cast(GETDATE() as date) --date only
  4. SELECT convert(date, GETDATE() ) --date only

2. Tomorrow/yesterday, next/last hour (simple nearby datetime)

  1. -- add or minus is on day basis
  2. select GETDATE()+1 --tomorrow
  3. select GETDATE()-1 --yesterday
  4.  
  5. -- need to be 24.0 to return float
  6. select GETDATE()+1.0/24 --next hour
  7. select GETDATE()-1.0/24/2 --Last 30 min

3. Add/minus any period for a date (use with 4.datediff)

  1. --result is already datetime
  2. select DATEADD(yy,-2,'07/23/2009 13:23:44') --2 years ago
  3. select DATEADD(mm,5, DATEADD(dd,10,GETDATE())) --5 month and 10 days later

The datepart can be 'year' or 'yy' or 'yyyy', all same

4. Datediff of 2 datetime ( =2nd-1st, result is + or - interger)

  1. select DATEDIFF(mi,GETDATE()+1.0/24, GETDATE()-1.0/24) -- return -120
  2. select DATEDIFF(dd,'2019-11-23', '2019-12-23') --return 30

5. Generate any datetime

  1. select cast('2019-10-23 23:30:59:883' as datetime) --'yyyy-mm-dd'
  2. select cast('2019/10/23 23:30:59:883' as datetime) --'yyyy/mm/dd' use ':' for ms
  3. select cast('10-23-2019 23:30:59.883' as datetime) --'mm-dd-yyyy' use '.' for ms
  4. select cast('10/23/2019 23:30:59.883' as datetime) --'mm/dd/yyyy'
  5. --same to use convert
  6. SELECT convert(date, '07/23/2009' )

6. Get day/week/month/year part of a datetime

  1. --these pairs are same to get dd,mm,yy part of a datetime, return integer
  2. select Datepart(dd,GETDATE()),day(GETDATE())
  3. select Datepart(mm,GETDATE()),month(GETDATE())
  4. select Datepart(yyyy,GETDATE()),year(GETDATE())
  5. select Datepart(dy,'2019-08-11') --get day of year: 223
  6.  
  7. select datename(mm,'2000-5-17') --return 'May'
  8. select datename(weekday,'2000-5-17') --return 'Wednesday'

7. Convert datetime format (input need to be datetime only, result is a string)

  1. -- not working!!!! return '2019-05-17', as it detect input is string, 103 is ignored
  2. select convert(varchar, '2019-05-17', 103)
  3. --input is datetime, reutrn formatted string '17/05/2019'
  4. select convert(varchar, cast('2019-05-17' as datetime), 103)

for a full list of datetime format code (smilar to 103) 

DATE ONLY FORMATS
Format #QuerySample
1 select convert(varchar, getdate(), 1) 12/30/06
2 select convert(varchar, getdate(), 2) 06.12.30
3 select convert(varchar, getdate(), 3) 30/12/06
4 select convert(varchar, getdate(), 4) 30.12.06
5 select convert(varchar, getdate(), 5) 30-12-06
6 select convert(varchar, getdate(), 6) 30 Dec 06
7 select convert(varchar, getdate(), 7) Dec 30, 06
10 select convert(varchar, getdate(), 10) 12-30-06
11 select convert(varchar, getdate(), 11) 06/12/30
12 select convert(varchar, getdate(), 12) 061230
23 select convert(varchar, getdate(), 23) 2006-12-30
101 select convert(varchar, getdate(), 101) 12/30/2006
102 select convert(varchar, getdate(), 102) 2006.12.30
103 select convert(varchar, getdate(), 103) 30/12/2006
104 select convert(varchar, getdate(), 104) 30.12.2006
105 select convert(varchar, getdate(), 105) 30-12-2006
106 select convert(varchar, getdate(), 106) 30 Dec 2006
107 select convert(varchar, getdate(), 107) Dec 30, 2006
110 select convert(varchar, getdate(), 110) 12-30-2006
111 select convert(varchar, getdate(), 111) 2006/12/30
112 select convert(varchar, getdate(), 112) 20061230
     
TIME ONLY FORMATS
8 select convert(varchar, getdate(), 8) 00:38:54
14 select convert(varchar, getdate(), 14) 00:38:54:840
24 select convert(varchar, getdate(), 24) 00:38:54
108 select convert(varchar, getdate(), 108) 00:38:54
114 select convert(varchar, getdate(), 114) 00:38:54:840
     
DATE & TIME FORMATS
0 select convert(varchar, getdate(), 0) Dec 12 2006 12:38AM
9 select convert(varchar, getdate(), 9) Dec 30 2006 12:38:54:840AM
13 select convert(varchar, getdate(), 13) 30 Dec 2006 00:38:54:840AM
20 select convert(varchar, getdate(), 20) 2006-12-30 00:38:54
21 select convert(varchar, getdate(), 21) 2006-12-30 00:38:54.840
22 select convert(varchar, getdate(), 22) 12/30/06 12:38:54 AM
25 select convert(varchar, getdate(), 25) 2006-12-30 00:38:54.840
100 select convert(varchar, getdate(), 100) Dec 30 2006 12:38AM
109 select convert(varchar, getdate(), 109) Dec 30 2006 12:38:54:840AM
113 select convert(varchar, getdate(), 113) 30 Dec 2006 00:38:54:840
120 select convert(varchar, getdate(), 120) 2006-12-30 00:38:54
121 select convert(varchar, getdate(), 121) 2006-12-30 00:38:54.840
126 select convert(varchar, getdate(), 126) 2006-12-30T00:38:54.840
127 select convert(varchar, getdate(), 127) 2006-12-30T00:38:54.840

 

Delete duplicate rows (entire same or partialy same)

 1. Select duplicate rows based on 1 column

  1. select * from students where id in (
  2. select id FROM students
  3. group by id having count(*)>1
  4. )

 2. Select duplicate rows based on multiple columns

  1. select * from students a
  2. right join (
  3. select firstname, lastname from students
  4. group by firstname, lastname having count(*)>1
  5. ) b
  6. on a.firstname=b.firstname and a.lastname=b.lastname

3. Select rows that has unique combination of colums(filter out all duplicate rows)

  1. select * from students except(
  2. select a.id --need to select all columns here
  3. ,a.firstname
  4. ,a.lastname
  5. ,a.dob from students a
  6. right join (
  7. select firstname, lastname from students
  8. group by firstname, lastname having count(*)>1
  9. ) b
  10. on a.firstname=b.firstnameand a.lastname =b.lastname
  11. )

4. Select/delete rows of totally identical values

  1. select distinct * from tableName --save the result equals to delete duplicated rows already

5. Delete duplicate rows in table which has unique id

  1. delete from #temp
  2. where id not in(
  3. select max(id) from #temp
  4. group by col1, col2 --the columns used when checking duplicate
  5. having count(*)>1
  6. )

6. Delete duplicate rows in table which does not have id

6.1 Delete directly from original table by "Partition" keyword

  1. WITH tempVw AS (
  2. SELECT
  3. *,
  4. ROW_NUMBER() OVER ( --over() is required for Row_Number()
  5. PARTITION BY --this reset the rowNumber to 1 for different group
  6. col1, col2 --which used as identifier to check duplicate
  7. ORDER BY --order by is required in Over()
  8. col1, col2 --keep same as above
  9. ) row_num
  10. FROM
  11. YourTable
  12. )
  13. delete FROM tempVw WHERE row_num > 1
  14. select * from YourTable --duplicated rows should be removed in original table

6.2 Add unique ID first so it is similar as point 5

  1. --Use views to add rowId for table without unique id
  2. with tempVw as(
  3. select ROW_NUMBER() over (order by SurveyTypeid, surveyid ) as rowid,*
  4. from YourTable
  5. )
  6. --define 2 views together, tempVw2 is all duplicated rows
  7. ,tempVw2 as (
  8. select rowid,a.col1,a.col2
  9. from tempVw a
  10. right join (
  11. select col1, col2 from tempVw
  12. group by col1, col2 having count(*)>1
  13. ) b
  14. on a.col1=b.col1 and a.col2=b.col2
  15. )
  16. --query after view, delete rows in view will delete original table
  17. delete from tempVw where rowid in (
  18. --return all duplicated rows except 1 row for each group that we will keep
  19. select rowid from tempVw2 where rowid not in (
  20. --return 1 row for each identifier of duplicated rows
  21. select min (rowid) from tempVw2 group by col1, col2 having count(*)>1
  22. )
  23. )
  24. select * from YourTable --duplicated rows should be removed in original table

 

 

Except (check difference between 2 tables of same colums) & Intersect

1. Rows which included in A but not B

  1. Select * from A except Select * from B

2. Return any diff bewteen A and B 

  1. Select * from A except Select * from B union all Select * from B except Select * from A

3. Return duplicated rows between A and B

  1. Select * from A Intersect Select * from B

 

 

EXEC output to Variable

  1. declare @temp table(id int,Name varchar(50),sex varchar(10))
  2. declare @sql varchar(max)= 'select id,name,''male'' from student where id<3'
  3. insert into @temp exec (@sql)

 

 

Exists

1. To add any condition for the select (Same as if) 

  1. Select col1, col2 from A where exists (Select 1 from B where id=99) --inside exists you can select 1 or anything, it will return TRUE equally

2. To select new user in A but not in B

  1. Select id, name from A where not exists (Select 1 from B where B.id=A.id)
  2. --this equals to use IN keyword
  3. Select id, name from A where id not in (Select id from B)

 

 

Group by (only work with count(), AVG(), MAX(), MIN(), Sum() )

  1. --student number for each class
  2. select class,count (*) as total from Student group by class
  3. --average score for each class
  4. select class,avg(score) as AvgScore from Student group by class
  5. --highest score for each class
  6. select class,max(score) as HighestScore from Student group by class
  7. --total donation for each class
  8. select class,sum(donation) as TotalDonation from Student group by class

 To get top x rows or the xth place in each group, use row_number()

 

 

Import data from excel

  1. SELECT * --INTO #Cars
  2. FROM OPENROWSET('Microsoft.ACE.OLEDB.12.0',
  3. 'Excel 12.0 Xml;HDR=YES;Database=C:\cars.xlsx','SELECT * FROM [sheet1$]');

 

 

Insert into 

1. Mutiple rows with values

  1. insert into #temp(id,name) values (1,'Alice'),(2, 'Jack')

2. From existing tables

  1. insert into #temp(id,name, sex) select id, name,'male' from students where sex=1

3. From exec (Assign EXEC output to Variable)

  1. declare @temp table(id int,Name varchar(50),sex varchar(10))
  2. declare @sql varchar(max)= 'select id,name,''male'' from student where id<3'
  3. insert into @temp exec (@sql)

 

 

Join

1. cross join

(https://blog.csdn.net/xiaolinyouni/article/details/6943337)

  1. Select * from A cross join B
  2. Select * from A,B --same as above

cross join

 

 

 2. Left join, right join, inner join

Left join: contains all rows from left table A, if A.key=B.key, return result in new table, if multiple B.key match A.key, return multiple rows, if no B.key match, return row with null values

 inner join: only return if A.key=B.key, can be one to one or one to many

 

 

Like and Regex

(http://www.sqlservertutorial.net/sql-server-basics/sql-server-like/)

  • The percent wildcard (%): any string of zero or more characters.
  • The underscore (_) wildcard: any single character.
  • The [list of characters] wildcard: any single character within the specified set.
  • The [character-character]: any single character within the specified range.
  • The [^]: any single character not within a list or a range.

 Not start with special symbol, 3rd character is number or letter

  1. Select * from where name LIKE ' [^.$#@-]_ [a-z0-9]%'

 

 

Login history delete for SSMS

C:\Users\*********\AppData\Roaming\Microsoft\SQL Server Management Studio\18.0\UserSettings.xml

  • Open it in any Texteditor like Notepad++
  • ctrl+f for the username to be removed
  • then delete the entire <Element>.......</Element> block that surrounds it.

 

 

Random id (GUID), string, number

1. Random Guid

  1. select NEWID() --315FC5A3-BE07-41BB-BE4F-75055729FA5B

2. Random string

  1. SELECT CONVERT(varchar(255), NEWID())

3. Random number (round to integer)

  1. SELECT RAND() -- 0<=decimal<1
  2. SELECT RAND()*15+5; -- 5<=decimal<20 (if include 20 need *16)
  3.  
  4. SELECT FLOOR(22.6) --22
  5. SELECT CEILING(22.6) --23
  6. SELECT ROUND(22.6,0) -- 23.0
  7. SELECT ROUND(22.6,-1) --20.0

 

 

Row_number(), Rank() and Dense_rank() (must use with over(order by ...) )

0. Create table

  1. create table #Student (id int, Class int, Score int )
  2. insert into #Student values(1,1,88)
  3. insert into #Student values(2,1,66)
  4. insert into #Student values(3,2,30)
  5. insert into #Student values(4,2,70)
  6. insert into #Student values(5,2,60)
  7. insert into #Student values(6,3,70)
  8. insert into #Student values(7,3,80)

1. Add row id by row_number()

  1. select *,row_number() over(order by class) rowid from #Student

 

 2. if there is identiacal value for the colomn used for order by: Rank() and Dense_rank()

  1. select *,rank() over(order by class) rowid from #Student --if 1st has 2 pp, next is 3rd
  2. select *,dense_rank() over(order by class) rowid from #Student --if 1st has 2 pp, next is 2nd

 

 3. Partition by: Assign row id for different group, each group start with 1

  1. select *,row_number() over(partition by class order by class) rowid from #Student

 

 4. Select top 2, the 2nd second place for each group

  1. select * from (
  2. select *,row_number() over(partition by class order by class) rowid from #Student
  3. )a where rowid<2
  4.  
  5. select * from (
  6. select *,row_number() over(partition by class order by class) rowid from #Student
  7. )a where rowid=2

 

 

Short Keys for text selection

(https://www.mssqltips.com/sqlservertip/2786/column-and-block-text-selection-using-sql-server-management-studio/)

1. Using SHIFT+ALT+(arrow key or cursor) to Select block of values among multiple rows

ssms shift alt select

2. Using CTRL+SHIFT+END to Select Text till end (CTRL+ END can move cursor to end)

ssms ctrl shift end to select

3. Using CTRL+SHIFT+HOME to Select Text till start (CTRL+HOME can move cursor to end)

ssms ctrl shift home select

4. User CTRL+ arrow key can move cursor jump between words not letters

 

 

String edit

Note: SQL index start from 1 not 0

1. left and right

  1. select left('hello world',5) --return: hello
  2. select right('hello world!',6) --return:world!

2. Substring

  1. select substring('hello world',7,5) --return: world

3. Replace (by expression or by index)

  1. select REPLACE('123456','34','new') --return 12new56
  2. select stuff('123456',3,2,'new') --same as above, start index=3, length=2

4. Split (not exist in sql, need use LEFT+ RIGHT + CHARINDEX)

  1. --split 'hello world' by space
  2. select left('hello world',CHARINDEX(' ','hello world')-1)
  3. select right('hello world',len('hello world')-CHARINDEX(' ','hello world'))

5. Delete white space

  1. SELECT LTRIM(' Sample '); --return 'Sample '
  2. SELECT RTRIM(' Sample '); --return ' Sample'

6. Delete enter, tab, space

  1. --char(13)+CHAR(10) = enter
  2. print 'first line'+char(13)+CHAR(10)+'Second line' --2 lines
  3. --char(9) is tab, the outsode replace delete all space
  4. print REPLACE(REPLACE(REPLACE(REPLACE('first line
  5. Second line',CHAR(13),''),CHAR(10),''),CHAR(9),''),' ','')

 7. Search a regex in string

  1. SELECT PATINDEX('%[mo]%', 'W3Schools.com'); --return m or o which appear first

8. Repeat string a few times

  1. select REPLICATE('hello world ',3) --return: hello world hello world hello world

9. Revers a string by characters

  1. select REVERSE('1234567') --return 7654321

10. Create an empty fixed length string (only contains spaces)

  1. select 'a'+SPACE(5)+'b' --return a b

 

 

Top

1. select rows between m and n place of highest score

  1. select top 2 * from ( --between 4 and 5, 5-4+1=2
  2. select top 5 * from #Student order by score desc)a
  3. order by score

 2. Select 2nd second place by add row_number()

  1. -- if there are multiple highest score, will select highest score
  2. select * from (
  3. select *,row_number() over( order by score desc) rowid from #Student
  4. )a where rowid=2
  5. --if there are multiple highest score, still select second highest score
  6. select * from (
  7. select *,rank() over( order by score desc) rowid from #Student
  8. )a where rowid=2
    -- rowid between m and n -- rows between order of the m place to n place

 

 

Transaction

1. Begin, rollback,commit tran

  1. Declare @isDebug bit=1
  2. begin tran
  3.  
  4. -- insert/update/delete queries
  5.  
  6. if @isDebug=1 --test run
  7. begin
  8. rollback tran
  9. end
  10. else -- prod run
  11. begin
  12. commit tran
  13. end

2. trasaction with try/catch

  1. Declare @isDebug bit=1
  2. BEGIN TRY
  3. BEGIN tran
  4. if @isDebug=0 --test run
  5. begin
  6. -- insert/update/delete queries
  7. end
  8. else --prod run
  9. begin
  10. -- insert/update/delete queries
  11. end
  12.  
  13. COMMIT tran --commit if above code has no error
  14. END TRY
  15. BEGIN CATCH
  16. ROLLBACK tran --if any error jump to this to rollback
  17. select ERROR_NUMBER() as ErrorNumber, ERROR_MESSAGE() as ErrorMessage, ERROR_PROCEDURE() as ErrorProcedure
  18. END CATCH

 

 

 Union, Union All

1. Union not return duplicated rows (by duplicated mean all the values are exactly same)

2. Union All return all rows include duplicated rows

3. Both Union and Union all need to have exactly same number of total columns (col name can be diff but type need to be same)

4. Union All is much faster than Union

 

 

Update one colomn from column in another table

  1. UPDATE a
  2. SET a.marks = b.marks
  3. FROM tempDataView a
  4. INNER JOIN tempData b
  5. ON a.Name = b.Name

 

 

View (with ... as )  

**delete or update view will influence original table, delete or update or insert values will influence on view

  1. with StudentVw as(
  2. select top 100 ROW_NUMBER() over (order by SurveyTypeid, surveyid ) as rowid,*
  3. from ##temp order by channelid -- if use order by must have top keyword
  4. )
  5. select * from StudentVw --must come with a query and only 1 query

 

原文链接:http://www.cnblogs.com/hytvszz/p/11712541.html

 友情链接:直通硅谷  点职佳  北美留学生论坛

本站QQ群:前端 618073944 | Java 606181507 | Python 626812652 | C/C++ 612253063 | 微信 634508462 | 苹果 692586424 | C#/.net 182808419 | PHP 305140648 | 运维 608723728

W3xue 的所有内容仅供测试,对任何法律问题及风险不承担任何责任。通过使用本站内容随之而来的风险与本站无关。
关于我们  |  意见建议  |  捐助我们  |  报错有奖  |  广告合作、友情链接(目前9元/月)请联系QQ:27243702 沸活量
皖ICP备17017327号-2 皖公网安备34020702000426号