从记录数组中选择记录字段的值-如何在Oracle DB中?

xmq68pz9  于 2023-05-16  发布在  Oracle
关注(0)|答案(2)|浏览(159)

假设我们有以下类型和变量定义:

  1. type r_student_type is record(
  2. id number,
  3. name varchar2(32),
  4. class varchar2(32));
  5. type t_students_type is table of r_student_type;
  6. t_students t_students_type := t_students_type();

稍后,数组t_students被写入数据,让我们假设它看起来像这样:

  1. +------+--------+-------+
  2. | id | name | class |
  3. +------+--------+-------+
  4. | 4551 | Walter | A |
  5. +------+--------+-------+
  6. | 4552 | Marie | B |
  7. +------+--------+-------+
  8. | 4553 | Hank | B |
  9. +------+--------+-------+
  10. | 4554 | Skyler | A |
  11. +------+--------+-------+

我正在寻找的是一种方法来查询数组t_students中所有记录的特定字段值。例如,我们想知道是否所有学生都在同一个class中。
我尝试过类似的东西:

  1. select count(distinct class)
  2. into l_class_cnt
  3. from (select class
  4. from table(t_students));

但我得到了错误:PLS-00642: local collection types not allowed in SQL statements
我知道我可以使用for-loop访问t_students中的所有记录,并执行任何我想要的检查,但我想在单个SELECT语句中进行比较(不确定在Oracle中是否可能)。

xdnvmnnf

xdnvmnnf1#

您需要在包规范中声明类型以使用SQL中的变量:

  1. create or replace package pkg as
  2. type r_student_type is record(
  3. id number,
  4. name varchar2(32),
  5. class varchar2(32));
  6. type t_students_type is table of r_student_type;
  7. t_students t_students_type := t_students_type();
  8. l_class_cnt integer;
  9. end;
  10. /
  11. declare
  12. t_students pkg.t_students_type := pkg.t_students_type();
  13. l_class_cnt integer;
  14. begin
  15. select count(distinct class)
  16. into l_class_cnt
  17. from (select class
  18. from table(t_students));
  19. dbms_output.put_line ( 'Found ' || l_class_cnt );
  20. end;
  21. /
  22. Found 0
展开查看全部
nwsw7zdq

nwsw7zdq2#

RECORD是一种PL/SQL数据类型,不能在SQL作用域中使用,只能在PL/SQL作用域中使用,如果它是本地定义的类型,则不能传递到表集合表达式中。
您可以将类型更改为OBJECT,并在SQL范围(而不是PL/SQL范围)中定义它。

  1. CREATE TYPE r_student_type IS OBJECT(
  2. id number,
  3. name varchar2(32),
  4. class varchar2(32)
  5. );
  6. CREATE TYPE t_students_type IS TABLE OF r_student_type;

然后:

  1. SELECT COUNT(distinct class)
  2. FROM TABLE(
  3. t_students_type(
  4. r_student_type(1, 'Alice', 'Advanced'),
  5. r_student_type(2, 'Betty', 'Beginner'),
  6. r_student_type(3, 'Carol', 'Compiler Engineering')
  7. )
  8. );

以及:

  1. DECLARE
  2. l_class_cnt PLS_INTEGER;
  3. t_students t_students_type := t_students_type(
  4. r_student_type(1, 'Alice', 'Advanced'),
  5. r_student_type(2, 'Betty', 'Beginner'),
  6. r_student_type(3, 'Carol', 'Compiler Engineering')
  7. );
  8. BEGIN
  9. SELECT count(distinct class)
  10. INTO l_class_cnt
  11. FROM table(t_students);
  12. DBMS_OUTPUT.PUT_LINE(l_class_cnt);
  13. END;
  14. /

两个都行。
或者,您可以在包中全局定义记录及其集合类型(按照Chris Saxon's answer),而不是作为本地定义的类型,然后您只能在PL/SQL范围内使用记录和集合(而不是在SQL范围内)。
fiddle

展开查看全部

相关问题