-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcontent.json
1 lines (1 loc) · 23.1 KB
/
content.json
1
{"meta":{"title":"老代码","subtitle":"代码片段","description":"PL/SQL, Java, Javascript 代码片段, 代码备忘","author":"程宣峰","url":"http://oracle.xyz"},"pages":[{"title":"个人介绍","date":"2017-04-21T11:37:31.000Z","updated":"2017-05-11T03:07:45.995Z","comments":true,"path":"about/index.html","permalink":"http://oracle.xyz/about/index.html","excerpt":"","text":"联系方式 手机: 18607935958 (微信) Email: skyz.cn#gmail.com 个人信息 个人标签: 程宣峰 男 32岁 已婚 工作年限: 10年 个人主页: www.skyz.cn"}],"posts":[{"title":"Spring参数绑定","slug":"Spring-parameter-binding","date":"2017-05-08T07:17:16.000Z","updated":"2017-05-08T08:56:58.939Z","comments":true,"path":"posts/Spring-parameter-binding.html","link":"","permalink":"http://oracle.xyz/posts/Spring-parameter-binding.html","excerpt":"","text":"参数绑定相关注解 @RequestParam,绑定单个请求数据,可以是URL中的数据,表单提交的数据或上传的文件; @PathVariable,绑定URL模板变量值; @CookieValue,绑定Cookie数据; @RequestHeader,绑定请求头数据; @ModelAttribute,绑定数据到Model; @SessionAttributes,绑定数据到Session; @RequestBody,用来处理Content-Type不是application/x-www-form-urlencoded编码的内容,例如application/json, application/xml等; @RequestPart,绑定“multipart/data”数据,并可以根据数据类型进项对象转换; 基本数据类型-int如果参数的属性是required的, 可以用int. 如果不是required的, 需要使用包装类型Integer. 因为值为null会导致异常. Controller @RequestMapping(\"saysth.do\")public void test(int count) {} form <form action=\"saysth.do\" method=\"post\"> <input name=\"count\" value=\"10\" type=\"text\"/></form>` 包装类型-integer Controller @RequestMapping(\"saysth.do\")public void test(Integer count) {} HTML<form action=\"saysth.do\" method=\"post\"> <input name=\"count\" value=\"10\" type=\"text\"/></form>` 自定义对象类型 Model public class User { private String firstName; private String lastName; ...} Controller @RequestMapping(\"saysth.do\")public void test(User user) {} HTML<form action=\"saysth.do\" method=\"post\"> <input name=\"firstName\" value=\"张\" type=\"text\"/> <input name=\"lastName\" value=\"三\" type=\"text\"/></form> 自定义复合对象类型 Model public class ContactInfo { private String tel; private String address; public String getTel() { return tel; } ...}public class User { private String firstName; private String lastName; private ContactInfo contactInfo; ... getter & setter} Controller @RequestMapping(\"saysth.do\")public void test(User user) { System.out.println(user.getFirstName()); System.out.println(user.getLastName()); System.out.println(user.getContactInfo().getTel()); System.out.println(user.getContactInfo().getAddress());} HTML <form action=\"saysth.do\" method=\"post\"> <input name=\"firstName\" value=\"张\" /><br> <input name=\"lastName\" value=\"三\" /><br> <input name=\"contactInfo.tel\" value=\"13809908909\" /><br> <input name=\"contactInfo.address\" value=\"北京海淀\" /><br> <input type=\"submit\" value=\"Save\" /></form> List Model public class User { private String firstName; private String lastName; ...}public class UserListForm { private List<User> users; ...} Controller @RequestMapping(\"saysth.do\")public void test(UserListForm userForm) { for (User user : userForm.getUsers()) { System.out.println(user.getFirstName() + \" - \" + user.getLastName()); }} HTML <form action=\"saysth.do\" method=\"post\"> <table> <thead> <tr> <th>First Name</th> <th>Last Name</th> </tr> </thead> <tfoot> <tr> <td colspan=\"2\"><input type=\"submit\" value=\"Save\" /></td> </tr> </tfoot> <tbody> <tr> <td><input name=\"users[0].firstName\" value=\"aaa\" /></td> <td><input name=\"users[0].lastName\" value=\"bbb\" /></td> </tr> <tr> <td><input name=\"users[1].firstName\" value=\"ccc\" /></td> <td><input name=\"users[1].lastName\" value=\"ddd\" /></td> </tr> <tr> <td><input name=\"users[2].firstName\" value=\"eee\" /></td> <td><input name=\"users[2].lastName\" value=\"fff\" /></td> </tr> </tbody> </table></form> Set Model public class User { private String firstName; private String lastName; ...}public class UserSetForm { private Set<User> users = new HashSet<User>(); public UserSetForm() { users.add(new User()); users.add(new User()); users.add(new User()); } ...} Controller @RequestMapping(\"saysth.do\")public void test(UserSetForm userForm) { for (User user : userForm.getUsers()) { System.out.println(user.getFirstName() + \" - \" + user.getLastName()); }} HTML <form action=\"saysth.do\" method=\"post\"> <table> <thead> <tr> <th>First Name</th> <th>Last Name</th> </tr> </thead> <tfoot> <tr> <td colspan=\"2\"><input type=\"submit\" value=\"Save\" /></td> </tr> </tfoot> <tbody> <tr> <td><input name=\"users[0].firstName\" value=\"aaa\" /></td> <td><input name=\"users[0].lastName\" value=\"bbb\" /></td> </tr> <tr> <td><input name=\"users[1].firstName\" value=\"ccc\" /></td> <td><input name=\"users[1].lastName\" value=\"ddd\" /></td> </tr> <tr> <td><input name=\"users[2].firstName\" value=\"eee\" /></td> <td><input name=\"users[2].lastName\" value=\"fff\" /></td> </tr> </tbody> </table></form> Map Model public class User { private String firstName; private String lastName; ...}public class UserMapForm { private Map<String, User> users; ...} Controller @RequestMapping(\"saysth.do\")public void test(UserMapForm userForm) { for (Map.Entry<String, User> entry : userForm.getUsers().entrySet()) { System.out.println(entry.getKey() + \": \" + entry.getValue().getFirstName() + \" - \" + entry.getValue().getLastName()); }} HTML <form action=\"saysth.do\" method=\"post\"> <table> <thead> <tr> <th>First Name</th> <th>Last Name</th> </tr> </thead> <tfoot> <tr> <td colspan=\"2\"><input type=\"submit\" value=\"Save\" /></td> </tr> </tfoot> <tbody> <tr> <td><input name=\"users['x'].firstName\" value=\"aaa\" /></td> <td><input name=\"users['x'].lastName\" value=\"bbb\" /></td> </tr> <tr> <td><input name=\"users['y'].firstName\" value=\"ccc\" /></td> <td><input name=\"users['y'].lastName\" value=\"ddd\" /></td> </tr> <tr> <td><input name=\"users['z'].firstName\" value=\"eee\" /></td> <td><input name=\"users['z'].lastName\" value=\"fff\" /></td> </tr> </tbody> </table></form> Json前端的content type: contentType:’application/json;charset=utf-8’controller方法的参数使用@RequestBody Model public class User { private String firstName; private String lastName; ...} Controller @RequestMapping(\"json.do\")public void test(@RequestBody User user) { return user;} HTML var params = { \"firstName\": \"张\", \"lastName\": \"三\", };$.ajax({ type: 'post', url: 'json.do', contentType:'application/json;charset=utf-8', dataType: 'json', data: JSON.stringify(params), success: function(data){ console.log(data); }}); XML pom.xml <dependency> <groupId>com.fasterxml.jackson.dataformat</groupId> <artifactId>jackson-dataformat-xml</artifactId></dependency> Model public class User { private String firstName; private String lastName; ...} Controller @RequestMapping(\"xml.do\")public void xml(@RequestBody User user) { return user;} Postman POST /xml HTTP/1.1Host: localhost:8080Content-Type: application/xmlCache-Control: no-cachePostman-Token: 03933f48-c29b-bfb8-bb10-29ed5c2c237c<user> <firstName>张</firstName> <lastName>三</lastName></user>","categories":[{"name":"Backend","slug":"Backend","permalink":"http://oracle.xyz/categories/Backend/"}],"tags":[{"name":"Spring","slug":"Spring","permalink":"http://oracle.xyz/tags/Spring/"}]},{"title":"Spring Boot中MyBatis的传参方式","slug":"Spring-Boot-Mybatis-common-annotation","date":"2017-05-02T12:49:05.000Z","updated":"2017-05-02T13:03:15.912Z","comments":true,"path":"posts/Spring-Boot-Mybatis-common-annotation.html","link":"","permalink":"http://oracle.xyz/posts/Spring-Boot-Mybatis-common-annotation.html","excerpt":"","text":"有三种传参方式@Param@Insert(\"INSERT INTO USER(NAME, AGE) VALUES(#{name}, #{age})\")int insert(@Param(\"name\") String name, @Param(\"age\") Integer age); MapMap<String, Object> map = new HashMap<>();map.put(\"name\", \"CCC\");map.put(\"age\", 40);userMapper.insertByMap(map); @Insert(\"INSERT INTO USER(NAME, AGE) VALUES(#{name,jdbcType=VARCHAR}, #{age,jdbcType=INTEGER})\")int insertByMap(Map<String, Object> map); Object@Insert(\"INSERT INTO USER(NAME, AGE) VALUES(#{name}, #{age})\")int insertByUser(User user); 返回结果的mapping-Result@Results({ @Result(property = \"name\", column = \"name\"), @Result(property = \"age\", column = \"age\")})@Select(\"SELECT name, age FROM user\")List<User> findAll(); 增删改查public interface UserMapper { @Select(\"SELECT * FROM user WHERE name = #{name}\") User findByName(@Param(\"name\") String name); @Insert(\"INSERT INTO user(name, age) VALUES(#{name}, #{age})\") int insert(@Param(\"name\") String name, @Param(\"age\") Integer age); @Update(\"UPDATE user SET age=#{age} WHERE name=#{name}\") void update(User user); @Delete(\"DELETE FROM user WHERE id =#{id}\") void delete(Long id);} Spring Boot中使用MyBatis注解配置详解 Mybatis Java API","categories":[{"name":"Backend","slug":"Backend","permalink":"http://oracle.xyz/categories/Backend/"}],"tags":[{"name":"Spring","slug":"Spring","permalink":"http://oracle.xyz/tags/Spring/"}]},{"title":"Intellij IDEA Spring Boot热加载","slug":"Intellij-IDEA-Spring-Boot-reload","date":"2017-05-02T09:00:09.000Z","updated":"2017-05-02T12:58:28.619Z","comments":true,"path":"posts/Intellij-IDEA-Spring-Boot-reload.html","link":"","permalink":"http://oracle.xyz/posts/Intellij-IDEA-Spring-Boot-reload.html","excerpt":"","text":"第一步:在项目pom文件中导入依赖<dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-devtools</artifactId> <optional>true</optional></dependency> 第二步:修改Intellij IDEA的配置 CTRL +SHIFT +A 查找 make project automatically 并选中 CTRL +SHIFT+A 查找Registry 找到选项compile.automake.allow.when.app.running 重启IDEA","categories":[{"name":"Backend","slug":"Backend","permalink":"http://oracle.xyz/categories/Backend/"}],"tags":[]},{"title":"PLSQL并行处理的例子-parallel","slug":"plsql-parallel-util-file","date":"2017-04-28T11:58:27.000Z","updated":"2017-04-28T12:54:49.275Z","comments":true,"path":"posts/plsql-parallel-util-file.html","link":"","permalink":"http://oracle.xyz/posts/plsql-parallel-util-file.html","excerpt":"","text":"创建一个临时表并insert 一百万条记录, 然后读取这一百万条记录写入文件. 准备创建测试的表CREATE TABLE source_data ( x, y, z , CONSTRAINT source_data_pk PRIMARY KEY (x,y,z) ) ORGANIZATION INDEX AS SELECT ROWNUM AS x , RPAD('x',50,'x') AS y , RPAD('y',50,'y') AS z FROM dual CONNECT BY ROWNUM <= 1000000; 存放测试文件的目录CREATE DIRECTORY dump_dir AS '/u01/app/oracle/dir'; 代码启用并行的管道函数 CREATE FUNCTION parallel_dump ( p_source IN SYS_REFCURSOR, p_filename IN VARCHAR2, p_directory IN VARCHAR2 ) RETURN dump_ntt PIPELINED PARALLEL_ENABLE (PARTITION p_source BY ANY) AS TYPE row_ntt IS TABLE OF VARCHAR2(32767); v_rows row_ntt; v_file UTL_FILE.FILE_TYPE; v_buffer VARCHAR2(32767); v_sid NUMBER; v_name VARCHAR2(128); v_lines PLS_INTEGER := 0; c_eol CONSTANT VARCHAR2(1) := CHR(10); c_eollen CONSTANT PLS_INTEGER := LENGTH(c_eol); c_maxline CONSTANT PLS_INTEGER := 32767;BEGIN SELECT sid INTO v_sid FROM v$mystat WHERE ROWNUM = 1; v_name := p_filename || '_' || TO_CHAR(v_sid) || '.txt'; v_file := UTL_FILE.FOPEN(p_directory, v_name, 'w', 32767); LOOP FETCH p_source BULK COLLECT INTO v_rows LIMIT 100; FOR i IN 1 .. v_rows.COUNT LOOP IF LENGTH(v_buffer) + c_eollen + LENGTH(v_rows(i)) <= c_maxline THEN v_buffer := v_buffer || c_eol || v_rows(i); ELSE IF v_buffer IS NOT NULL THEN UTL_FILE.PUT_LINE(v_file, v_buffer); END IF; v_buffer := v_rows(i); END IF; END LOOP; v_lines := v_lines + v_rows.COUNT; EXIT WHEN p_source%NOTFOUND; END LOOP; CLOSE p_source; UTL_FILE.PUT_LINE(v_file, v_buffer); UTL_FILE.FCLOSE(v_file); PIPE ROW (dump_ot(v_name, v_lines, v_sid)); RETURN;END parallel_dump;/ 拆成4个子任务来生成文件 SELECT * FROM TABLE( parallel_dump( CURSOR(SELECT /*+ PARALLEL(s,4) */ x ||','|| y ||','|| z AS csv FROM source_data s), 'utl_file_parallel_pipelined', 'DUMP_DIR' )) nt; 生成的测试文件: FILE_NAME NO_RECORDS SESSION_ID utl_file_parallel_pipelined_136.txt 190758 136 utl_file_parallel_pipelined_135.txt 192640 135 utl_file_parallel_pipelined_117.txt 288960 117 utl_file_parallel_pipelined_121.txt 327642 121 参考tuning pl/sql file i/oParallel PL/SQL launcher","categories":[{"name":"DB","slug":"DB","permalink":"http://oracle.xyz/categories/DB/"}],"tags":[]},{"title":"工作相关的代码整理","slug":"common-sql-package","date":"2017-04-21T13:53:51.000Z","updated":"2017-05-02T07:45:47.076Z","comments":true,"path":"posts/common-sql-package.html","link":"","permalink":"http://oracle.xyz/posts/common-sql-package.html","excerpt":"","text":"工具发送邮件 cux_fnd_sendmail_pkg多个附件DECLARE l_attachment_table cux_fnd_sendmail_pkg.t_attach_blob_table; ...BEGIN ... --添加到附件表 l_attachment_table(1).t_name := l_attach_file_name; l_attachment_table(1).t_ddl := g_zipped_blob; l_attachment_table(1).t_ext := 'zip'; l_attachment_table(1).t_content_type := 'multipart/alternative'; ... l_attachment_table(2).t_name := l_attach_file_name; l_attachment_table(2).t_ddl := cux_fnd_xls_pkg.finish; l_attachment_table(2).t_ext := 'xlsx'; l_attachment_table(2).t_content_type := 'multipart/alternative'; ... cux_fnd_sendmail_pkg.send_mail_attach_blob_t_c(p_from_email => '[email protected]', p_receiver_address => l_receiver_address, p_receive_name => l_receiver_address, p_email_subject => l_email_subject, p_email_body => l_email_body, p_cc_name => l_cc_address, p_attachment_table => l_attachment_table); END; 图文cux_fnd_sendmail_pkg.send_mail_with_image(p_from_email => v_sender_email, p_receiver_address => c_per.email_address, p_receive_name => c_per.last_name, p_email_subject => v_mail_title, p_email_body => v_mail_body, p_cc_name => v_cc_email, p_attachment_table => v_attach_blob_table); markdown cux_fnd_markdown_pkgcux_pay_tax_plan_pkg.report 汉字转拼音 cux_fnd_pinyin_pkgSELECT cux_fnd_pinyin_pkg.gethzfullpy('程宣峰') FROM dual 读取excel的内容 cux_fnd_read_xlsx_pkg/* 不建临时表使用excel上传文件. */cux_per_upload_email_pkg 创建excel cux_fnd_xls_pkg// 创建excel报表 cux_hcm_abs_deduct_pkg.report 导入文本文件csv配置导入的form 配置导入的功能, 表单为:CUX:上传本地数据. 参数为: APPL=”CUX” PROGRAME=”CUXPERUPLOADEMAIL” 读取文本的API: cux_import_interface_api DECLARE des cux_import_interface_api.descriptor_t; cells cux_import_interface_api.row_t;BEGIN des := cux_import_interface_api.open(p_file_id, --fnd_lobs p_file_cs, --字符集 p_delimiter, --分隔符 p_processing_id, 11); -- 11列 IF (cux_import_interface_api.is_empty(des) = TRUE) THEN raise_application_error(-20001, 'File is empty'); END IF; -- 略过标题 cux_import_interface_api.next_line(des); IF (cux_import_interface_api.is_end_of_file(des) = TRUE) THEN raise_application_error(-20001, 'File is empty'); END IF; cux_import_interface_api.next_line(des); WHILE (cux_import_interface_api.is_end_of_file(des) = FALSE) LOOP -- 取当前行的所有列 cux_import_interface_api.get_cell_set(des, cells); dbms_output.put_line(cells(1)); -- 打印第一列 dbms_output.put_line(cells(2)); -- 打印第二列 -- 读取下一行 cux_import_interface_api.next_line(des); END LOOP;END; 压缩文件DECLARE g_zipped_blob BLOB;BEGIN FOR rec IN csr LOOP cux_fnd_xls_pkg.add1file(g_zipped_blob, rec.file_name, rec.attachment_content); cux_fnd_xls_pkg.finish_zip(g_zipped_blob, ''); END LOOP;END; BPM 流程// 启动流程cux_bpm_utility_pkg.create_process// 启动空流程cux_bpm_utility_pkg.create_notify// 撤回cux_bpm_utility_pkg.abort_process// 审批通过cux_bpm_utility_pkg.approve_process// 拒绝cux_bpm_utility_pkg.reject_process// 当前审批人cux_bpm_common_pkg.get_uuap_username// 当前审批节点cux_bpm_utility_pkg.get_current_task_val MQ 数据同步hcm_common_pkg.call_plsql_main_json(p_plsql_api => 'cux_hcm_bo_pkg.get_pay_lines', p_msg_json => l_msg, p_http_apex => 'APEX', o_errcode => o_errcode, o_errmsg => o_errmsg); 百度hi通知接口 待整理 调用波塞冬的服务bp_databus_api_pkg.start_di_flow(p_di_request_id => -1, p_di_channel_code => 'PN_DC_UNFIN_PERMISSION', p_di_transformation_code => 'APPLAT_UNFIN_PERMISSION', p_di_job_codes => 'UNFIN_PERMISSION_USERINFO,UNFIN_PERMISSION_DUTY,UNFIN_PERMISSION_USERDUTY', p_di_business_batch_num => 'p_di_business_batch_num', p_di_operator => 'p_di_operator', p_di_batch_num => '1,1,1', p_di_batch_sizes => l_di_batch_size, o_ret_code => l_error_code, o_ret_msg => l_error_msg); FYI小熊通知主库小熊通知表: cux_ext_notifications_pub.create_fyi_msg分库小熊通知表: cux_ext_polar_fyi_pub.create_fyi_msg MD5加密SELECT utl_raw.cast_to_raw(dbms_obfuscation_toolkit.md5(input_string => 'chengxuanfeng')) FROM dual; 对url进行编码和解码BEGIN dbms_output.put_line(utl_url.escape('http://www.baidu.com/参数/=+/',TRUE,'UTF8')); dbms_output.put_line(utl_url.escape('http://www.baidu.com/参数/=+/',false,'UTF8')); dbms_output.put_line( utl_url.unescape('http%3A%2F%2Fwww.baidu.com%2F%E5%8F%82%E6%95%B0%2F%3D%2B%2F','UTF8'));END; 调用web请求FUNCTION get_audio(p_text IN VARCHAR2) RETURN BLOB IS l_req_blob BLOB; l_res_blob BLOB; l_url VARCHAR2(32767) := get_tts_url(); l_cuid VARCHAR2(32767); l_req utl_http.req; l_res utl_http.resp;BEGIN SELECT instance || '-' || '-' || userenv('sessionid') INTO l_cuid FROM v$thread; l_url := REPLACE(l_url, '#text#', p_text || chr(38)); l_url := REPLACE(l_url, '#token#', get_access_token); l_url := REPLACE(l_url, '#cuid#', l_cuid); log(l_url); l_req := utl_http.begin_request(l_url, 'GET'); dbms_lob.createtemporary(lob_loc => l_req_blob, cache => FALSE); utl_http.write_raw(l_req, l_req_blob); l_res := utl_http.get_response(l_req); dbms_output.put_line('Response> status_code: "' || l_res.status_code || '"'); dbms_output.put_line('Response> reason_phrase: "' || l_res.reason_phrase || '"'); dbms_output.put_line('Response> http_version: "' || l_res.http_version || '"'); DECLARE l_raw_data RAW(512); --chunk_size CONSTANT INTEGER := 512; BEGIN dbms_lob.createtemporary(l_res_blob, FALSE); LOOP BEGIN utl_http.read_raw(l_res, l_raw_data); IF l_raw_data IS NOT NULL THEN dbms_lob.writeappend(l_res_blob, utl_raw.length(l_raw_data), l_raw_data); END IF; EXCEPTION WHEN utl_http.end_of_body THEN utl_http.end_response(l_res); EXIT; END; END LOOP; END; IF l_req.private_hndl IS NOT NULL THEN utl_http.end_request(l_req); END IF; IF l_res.private_hndl IS NOT NULL THEN utl_http.end_response(l_res); END IF; --dbms_lob.freetemporary(l_res_blob); RETURN l_res_blob;END; --发送hi, 默认文本. PROCEDURE hi(p_message_type IN VARCHAR2 := 'text', p_hi_number IN VARCHAR2, p_content IN VARCHAR2) IS l_response_text VARCHAR2(2000); l_url VARCHAR2(32767) := get_hi_service(); l_payload CLOB := get_hi_payload(); BEGIN l_payload := REPLACE(l_payload, '#MESSAGE_TYPE#', p_message_type); l_payload := REPLACE(l_payload, '#HI_NUMBER#', p_hi_number); l_payload := REPLACE(l_payload, '#CONTENT#', p_content); -- apex_web_service.g_request_headers(1).name := 'Content-Type'; apex_web_service.g_request_headers(1).value := 'application/x-www-form-urlencoded'; l_response_text := apex_web_service.make_rest_request(p_url => l_url, p_http_method => 'POST', p_body => l_payload); log(l_response_text); END;","categories":[{"name":"DB","slug":"DB","permalink":"http://oracle.xyz/categories/DB/"}],"tags":[]},{"title":"日常运维的查询 - FND","slug":"common-sql-query","date":"2017-04-21T09:41:51.000Z","updated":"2017-04-26T08:53:08.393Z","comments":true,"path":"posts/common-sql-query.html","link":"","permalink":"http://oracle.xyz/posts/common-sql-query.html","excerpt":"","text":"Alert - 查询预警邮件的日志SELECT extractvalue(xmltype(O."SYS_NC00040$"), '//SUBJECT') subject ,to_char(enq_time, 'YYYY/MM/DD HH24:MI:SS') end_time ,row_number() over(ORDER BY enq_time DESC) rn FROM apps.wf_notification_out o WHERE o.corrid LIKE 'APPS:ALR%'; Concurent请求名称对应的可执行文件SELECT e.execution_file_name FROM fnd_concurrent_programs p ,fnd_executables e WHERE p.executable_id = e.executable_id AND p.concurrent_program_id IN (SELECT t.concurrent_program_id FROM fnd_concurrent_programs_tl t WHERE t.user_concurrent_program_name = '请求名称'); 请求运行时正在执行的SQLSELECT s.* FROM fnd_concurrent_requests r, v$session v, v$sql s WHERE r.oracle_session_id = v.audsid AND v.sql_id = s.sql_id AND r.request_id = 543339; Apex restful// 查询select * from apex_rest_resource_modules WHERE workspace LIKE '%MQ%'; // apex urlselect * from apex_rest_resource_handlers WHERE workspace LIKE '%MQ%'; select * from apex_rest_resource_parameters WHERE workspace LIKE '%MQ%'; select * from apex_rest_resource_templates WHERE workspace LIKE '%MQ%';// 清空apex的workspaceBEGIN apex_instance_admin.remove_workspace('MQBONUS'); END;","categories":[{"name":"DB","slug":"DB","permalink":"http://oracle.xyz/categories/DB/"}],"tags":[]}]}