Is it possible for SQL Server 2008 to have case insensitive data, for instance the following would return data...
SELECT mycolumn FROM mytable WHERE mycolumn
Case sensitivity is determined by the collation settings of the database. It affects everything, comparisons, foreign keys, etc...
However, you can change the collation setting on a particular column or columns, to make comparisons with it case sensitive while the rest of the DB stays case insensitive. For example:
ALTER COLUMN Name VARCHAR(50)
COLLATE SQL_Latin1_General_CP1_CS_AS
Now all comparisons with Name
will be case sensitive.
One way to perform a case insensitive comparison given a case sensitive collation is to specify a per column collation cast as part of the query. You may also want to familiarize yourself with collation precedence if you use this method to change collation on the fly. Here is an example of a collation cast being specified at the point of query:
SELECT Name
FROM MyTable
WHERE Name = 'CASE' COLLATE SQL_Latin1_General_CP1_CI_AS -- Use case insensitive coll.
The collation of a column can be changed interactively using the Table Designer is SSMS (sorry for the large image):
Absolutely. A lot depends on the SQL Server collation chosen some of which are or aren't case sensitive.
Selecting a SQL Server Collation
If you want the foreign key to be case sensitive, then just set the column to be case sensitive (and make sure that the key it references uses the same collation). Borrowing the collation from Michael's answer:
USE tempdb;
GO
CREATE TABLE dbo.foo
(
[key] VARCHAR(32) COLLATE SQL_Latin1_General_CP1_CS_AS
PRIMARY KEY
);
CREATE TABLE dbo.bar
(
[key] VARCHAR(32) COLLATE SQL_Latin1_General_CP1_CS_AS
FOREIGN KEY REFERENCES dbo.foo([key])
);
INSERT dbo.foo SELECT 'Bob';
INSERT dbo.foo SELECT 'bOB';
INSERT dbo.foo SELECT 'BOB';
GO
-- fails:
INSERT dbo.bar SELECT 'bob';
GO
-- succeeds:
INSERT dbo.bar SELECT 'Bob';
GO
If you want queries against the same column to be case insensitive, you can just specify a COLLATE clause (note it contains _CI_
instead of _CS_
):
SELECT COUNT(*) FROM dbo.foo
WHERE [key] = 'Bob';
----
1
SELECT COUNT(*) FROM dbo.foo
WHERE [key] COLLATE SQL_Latin1_General_CP1_CI_AS = 'Bob';
----
3