Query to find stored procedures by nested stored procedure name


Problem: Suppose we have a stored procedure which has been used in several stored procedure, I mean stored procedure usp_proc1 is nested in many stored procedures like below

BEGIN
  DECLARE @Result TABLE
  (
    ID INT,
       NAME VARCHAR(50),
       [ADDRESS] VARCHAR(255)
  )
  INSERT INTO @Result
  EXEC usp_proc1 @Name='codefari'
END

So I want to find all those queries containing usp_proc1
Solution: There is a lot of solutions, I'm giving some of them below.
If you want to get the only name of the stored procedures then use the following query. Using join query on system tables syscomments and sysobjects we can get the stored procedures name which containing the particular table, nested procs or any other string.

SELECT DISTINCT o.name
FROM syscomments s
INNER JOIN sysobjects o ON s.id=o.id
WHERE s.TEXT LIKE '%text for search%'

If you want to get stored procedures and its type then run the following query.

SELECT DISTINCT o.name, o.xtype
FROM syscomments c
INNER JOIN sysobjects o ON c.id=o.id
WHERE c.TEXT LIKE '%text for search%'

We can get the expected result using the following query also, in this query I used only sys.objects table to get the appropriate result. The following query will return sp_name, schema_name, type, and type_desc.

SELECT schema_name(o.schema_id) AS [schema_name],
  NAME AS sp_name
  ,type
  ,o.type_desc
FROM sys.objects o
WHERE o.is_ms_shipped = 0
  AND OBJECT_DEFINITION(object_id) Like '%text for search%'
  AND type = 'p' ORDER BY o.NAME

We can get the appropriate result using table sysdepends and sysobjects see the following query. It will return all those records of stored procedures and their dependent stored procedures. If you want to apply a filter then un-comment the AND condition.

SELECT o.name sp_name, dpt.name nested_spname
 FROM sysdepends d
INNER JOIN sysobjects o on d.id = o.id
INNER JOIN sysobjects dpt on d.depid = dpt.id
WHERE o.xtype = 'P' AND dpt.xtype = 'P'
--AND dpt.name like '%text for search%'

Using system procedure sp_depends we can get the all expected records, see the following query.

EXEC sp_depends @objname = N'proc name';

Related Posts

What is the Use of isNaN Function in JavaScript? A Comprehensive Explanation for Effective Input Validation

In the world of JavaScript, input validation is a critical aspect of ensuring that user-provided data is processed correctly. One indispensa...