I'll admit it, I'm lazy... I hate typing exercises. I don't need the practice and I'm sure the person paying my somewhat exhorbitant fee doesn't want to fork out for something so mundane either. That means I'm always on the hunt for a shortcut or two, I mean, process improvement.
These two snippets will generate the DDL to create all the foreign keys in the database.
The first will check if it exists first, the second drops it first. Use whichever suits.
SELECT 'IF NOT EXISTS (SELECT * FROM sys.FOREIGN_KEYS WHERE name = ''' + fk.Name + ''' AND Parent_Object_Id = object_id(''['+ s.name + '].[' + t.name + ']'')) BEGIN '
+ char(13) + char(9) + 'ALTER TABLE ' + s.name + '.' + t.name + ' WITH CHECK '
+ char(13) + char(9) + 'ADD CONSTRAINT ['+fk.Name +'] '
+ char(13) + char(9) + 'FOREIGN KEY(['+c.name+']) REFERENCES [' + fks.name + '].['+fkt.name+'] (['+fkc.name+']) '
+ char(13) + 'END'
from sys.foreign_keys fk
inner join sys.foreign_key_columns fkcm on fkcm.constraint_object_id = fk.object_id
inner join sys.tables t on t.object_id = fkcm.Parent_Object_Id
inner join sys.tables fkt on fkt.object_id = fkcm.Referenced_Object_Id
inner join sys.columns c on c.object_id = t.object_id and c.column_id = fkcm.parent_column_id
inner join sys.columns fkc on fkc.object_id = fkt.object_id and fkc.column_id = fkcm.referenced_column_id
inner join sys.schemas s on s.schema_id = t.schema_id
inner join sys.schemas fks on fks.schema_id = fkt.schema_id
ORDER BY 1
And the second one (ie does a drop first)...
SELECT DISTINCT 'IF EXISTS (SELECT * FROM sys.FOREIGN_KEYS WHERE name = ''' + fk.Name + ''' AND Parent_Object_Id = object_id(''['+ s.name + '].[' + t.name + ']'')) BEGIN '
+ char(13) + char(9) + 'ALTER TABLE ' + s.name + '.' + t.Name + ' DROP CONSTRAINT ' + fk.Name
+ char(13) + 'END'
+ char(13) + 'ALTER TABLE ' + s.name + '.' + t.name
+ char(13) + char(9) + 'WITH CHECK ADD CONSTRAINT ['+fk.Name +'] '
+ char(13) + char(9) + 'FOREIGN KEY(['+c.name+']) REFERENCES [' + fks.name + '].['+fkt.name+'] (['+fkc.name+']) '
+ char(13)
from sys.foreign_keys fk
inner join sys.foreign_key_columns fkcm on fkcm.constraint_object_id = fk.object_id
inner join sys.tables t on t.object_id = fkcm.Parent_Object_Id
inner join sys.tables fkt on fkt.object_id = fkcm.Referenced_Object_Id
inner join sys.columns c on c.object_id = t.object_id and c.column_id = fkcm.parent_column_id
inner join sys.columns fkc on fkc.object_id = fkt.object_id and fkc.column_id = fkcm.referenced_column_id
inner join sys.schemas s on s.schema_id = t.schema_id
inner join sys.schemas fks on fks.schema_id = fkt.schema_id
ORDER BY 1
Monday, 12 October 2009
TSQL: Programmatically Create DDL scripts for Foreign Keys
Posted by Kristen Hodges at 3:58 pm 0 comments
Integration Services Gotcha #6631984: The Table Variable Data Flow Affair
I encountered a teeny little SSIS glitch today that completely did my head in for a good 30 minutes. Ok, I'll admit it, more like an hour.
In my data flow, I had an OLEDB Source which declared and populated a table variable then returned some data, which included a join on my table variable.
The source query worked perfectly, returning plenty of data when tested through SSMS. As soon as I ran the data flow, it would be successful but zero data.
That freakin' table variable was messin' with me. Took it out, replaced it with a subquery and whammo! Data.
Oh SSIS, you pernickety old man, you!
Posted by Kristen Hodges at 10:33 am 0 comments
Monday, 20 July 2009
SQL 2008: Using MERGE to do a Type 2 Change
I'm going to do a brief overview of the SQL 2008 MERGE statement. Primarily for my own purposes - being to document the usage for type 2 changes so I don't forget it.
First let's begin with the basic type 1 usage.
All fairly self-explanatory. We have a source and a target. We join the two tables, identify new records, changed records and deleted records. And deal with them appropriately.
So let's move onto the type 2 changes. Here we need to:
- Insert New Records
- Disable changed records
- Add a new record for the changed records
Ignore the outer INSERT for the moment. We have a MERGE statement which is very similar to our type 1 MERGE. Compare the Source and Target, INSERT new records as required. The difference being that when the matched record contains a change, instead of updating the changed field, we set the CurrentFlag and the EndDate so as to disable the record.
This will be familiar to anyone who used it in SQL 2005 in much the same context - to identify rows which have been modified/added/deleted. Really the origin of MERGE seems to be strongly rooted in the SQL 2005 OUTPUT clause. On the upside, unlike the SQL 2005 version and UPDATE is an UPDATE and not a DELETE and an INSERT. Small but handy! Anyway, where were we? Let's return the columns we need to create a new record and a special $Action column - this tells us what actually happened ie UPDATE, INSERT or DELETE. We need this because the OUTPUT will return everything that occured in the MERGE.
Now we have a set of rows that have been actioned by the MERGE. Still, we haven't actually done anything with them.
To do that, we enclose the entire MERGE statement, including it's OUTPUT clause of course, into brackets so we can make it the FROM clause for an INSERT. Our OUTPUT clause is return the columns we need for the INSERT remember? So now we just add our INSERT INTO at the front, add an alias to the closed bracket of the FROM clause AND, drumroll... whack a WHERE clause on the end. This where clause just filters the OUTPUT from the MERGE so we only insert new records for those that were updated, ignoring those that may have been inserted etc in the MERGE.
Easy!
-------------------------------------------------------------------------------------------------
For the purposes of copy/paste-ability, here is a text version of the TSQL. Images have been used above for improved readability.
--A simple type 1 change
MERGE INTO DimCustomer c
USING StageCustomer stg ON c.CustomerId = stg.CustomerId
WHEN NOT MATCHED BY TARGET THEN --ie new
INSERT (CustomerId,CustomerName,IsActive) VALUES (
stg.CustomerId
,stg.CustomerName
,stg.IsActive
)
WHEN MATCHED AND c.CustomerName <> stg.CustomerName THEN --ie changed
UPDATE SET c.CustomerName = stg.CustomerName
WHEN NOT MATCHED BY SOURCE THEN --ie deleted
DELETE
--a type 2 change
INSERT INTO dbo.DimCustomer
SELECT CustomerId, CustomerName, IsActive, IsCurrent, Eff_Date, End_Date
FROM
( MERGE DimCustomer c
USING StageCustomer stg ON c.CustomerId = stg.CustomerId
WHEN NOT MATCHED THEN INSERT VALUES (
stg.CustomerId
,stg.CustomerName
,stg.IsActive
,1 --> IsCurrent
,GETDATE() --> Eff_Date
,NULL --> End_Date
)
WHEN MATCHED AND c.IsCurrent = 1 AND (c.CustomerName <> stg.CustomerName) THEN UPDATE SET
c.IsCurrent = 0
,c.End_date = GETDATE()
OUTPUT $Action as RowAction
,stg.CustomerId
,stg.CustomerName
,1 AS IsCurrent
,GETDATE() as Eff_Date
,NULL as End_Date
) m
WHERE m.RowAction = 'UPDATE'
Posted by Kristen Hodges at 8:51 am 0 comments
Friday, 17 July 2009
SharePoint Magazine - Part 4 available now
Posted by Kristen Hodges at 10:47 am 1 comments
Labels: Monitoring and Analysing, PerformancePoint, Sharepoint 2007 (MOSS)
Thursday, 18 June 2009
Sharepoint Saturday
Posted by Kristen Hodges at 12:15 pm 0 comments
Labels: Sharepoint 2007 (MOSS)
Can Dynamics CPM pick up where PerformancePoint left off?
Can Dynamics CPM pick up where PerformancePoint left off? And how does all of this fit in with SSRS Report Builder and Project Gemini, a key part of Microsoft's self-service BI drive? When you say things like "Microsoft Forecaster is a budgeting and planning application that allows companies to build budgets based on specific objectives", one has to wonder!
And "Enterprise Reporting is designed for sophisticated group reporting and consolidation needs, and includes advanced multi-dimensional consolidations, eliminations and multicurrency capabilities. Enterprise Reporting’s planning environment is easily customizable to fit diverse budgeting and forecasting needs across all industries and organizations. Enterprise Reporting provides strong analytical modules to make it extremely easy to create new ad-hoc reports on the fly"
Seriously? That's quite a bundle of tasks. Enquiring minds want to know more!
Posted by Kristen Hodges at 10:19 am 1 comments
Labels: Dynamics, PerformancePoint, Planning
Thursday, 11 June 2009
PerformancePoint Planning: Bug in the bsp_DI_ValidateLabelTable Proc
Somewhat irrelevant due to shut down of PerformancePoint Planning but it's an issue I encountered so I will record it for posterity and future generations (*snigger*).
Application: PPSRootModelSite: PPS_PlanningModel: PPS
Posted by Kristen Hodges at 6:12 pm 0 comments
Labels: PerformancePoint, Planning
SSIS: Write to the Output Window from a Script Task
Want to write to the Output window during execution of a script task?
DTS.Events.FireInformation(1,"YOUR TITLE","Your Message","",0, False)
Posted by Kristen Hodges at 5:29 pm 0 comments
Labels: SSIS
SSIS: Error when executing a data flow using the OLEDB SSAS 9.0 Provider
I found an interesting problem today.
"Error code = 0x80040E05, External Code = 0x00000000:."
Posted by Kristen Hodges at 3:42 pm 0 comments
Labels: Analysis Services (SSAS), Bug, Data-Mining, SSIS
Wednesday, 10 June 2009
SQL SSIS: Vote for data viewer suggestion
Vote for a feature request on Microsoft Connect for greater flexibility over when and where an SSIS data viewer is shown.
https://connect.microsoft.com/SQLServer/feedback/ViewFeedback.aspx?FeedbackID=465835
Posted by Kristen Hodges at 5:24 pm 0 comments
Tuesday, 9 June 2009
SQL: Retrieving the Metadata for a Query
Sometimes you need to know what the metadata for a query looks like before runtime. This is particularly relevant with SSIS.
Posted by Kristen Hodges at 4:50 pm 0 comments
Wednesday, 3 June 2009
SharePoint Magazine - Part 3 Out Now!
Posted by Kristen Hodges at 12:30 pm 0 comments
Labels: Monitoring and Analysing, PerformancePoint
SQL 2005: Scalar Resultsets and SSIS Variables
Posted by Kristen Hodges at 11:21 am 0 comments
Friday, 24 April 2009
SQL 2008 SP1 - a must have!
Some time ago I installed SQL 2008 on a VPC which was also running MOSS and PerformancePoint. Soon enough the VPC started to run out of memory. I tore my hair out for a few days because nothing I did made a good dent in the problem.
Posted by Kristen Hodges at 5:56 pm 0 comments
Labels: 2008, Analysis Services (SSAS), Bug, SQL
Thursday, 9 April 2009
TSQL: Truncating Datetime
It crops up all the time. You have a datetime column. In your select, you don't care about the time, you only care about the date because you want to group all records for a particular date, for example. So what's the quickest way to go about it?
- CONVERT
- FLOOR
- DATEADD/DATEDIFF
Posted by Kristen Hodges at 12:29 pm 1 comments
Labels: SQL
Friday, 6 February 2009
SQL 2005 SSIS: Unpivot Transformation - Destination Column
Came across an interesting little bug today in SSIS...
When using the Unpivot transformation, if you attempt to see the results of the Destination Column in a data viewer well, you can't... the column just isn't there. However, when the output is sent to an actual data destination it is created as expected. You just have no way of knowing that until you actually look at the destination itself.
Wasted quite a bit of time on that one!
Posted by Kristen Hodges at 3:35 pm 0 comments
Thursday, 29 January 2009
No more PPS Planning...
The news, as I'm sure everyone has now heard, is that PerformancePoint Planning is being retired. See the official press release at:
http://www.microsoft.com/presspass/features/2009/jan09/01-27KurtDelbeneQA.mspx
PerformancePoint Monitoring will be bundled into SharePoint as part of Office 14 - and be known as PerformancePoint Services for SharePoint. Wacko.
Posted by Kristen Hodges at 10:19 am 0 comments
Labels: Monitoring and Analysing, PerformancePoint, Planning, Sharepoint 2007 (MOSS)
Friday, 23 January 2009
PerformancePoint Planning: Data Integration
Quick Overview of the steps required in an ETL package to load a PerformancePoint Planning application:
- Sync Dimensions from App to Staging (call ppscmd)
- Sync Models from App to Staging (call ppscmd)
- Stage Dimensions into Label table (data flow)
- Load Dimensions (call ppscmd)
- Stage Hierarchies into Label table (data flow)
- Load Dimensions (call ppscmd)
- Reindex Dimension tables (sql command)
- Stage Fact into Label table (data flow)
- Load Fact (call ppscmd)
- Reindex MG tables
- Deploy Model (call ppscmd)
Posted by Kristen Hodges at 10:06 am 0 comments
Labels: Data Integration, ETL, PerformancePoint, Planning, SSIS