Error 0014 pentaho

I'm trying to install Pentaho BA on CentOS 7 with Java 1.8 I downloaded the Community Edition 6.1.0.1-196. I run ./start-pentaho.sh and after correcting some bugs, everything worked. Then I decide...

I’m trying to install Pentaho BA on CentOS 7 with Java 1.8
I downloaded the Community Edition 6.1.0.1-196. I run ./start-pentaho.sh and after correcting some bugs, everything worked.

Then I decided to Use Oracle as Repository and by following this guide : https://help.pentaho.com/Documentation/5.4/0F0/0K0/040/0C0#title
I change some files.

When I changed Hibernate and Quartz everything were fine. Then I modified Jackrabbit ( repository.xml ) and context.xml and the error came up:

ERROR [org.pentaho.platform.util.logging.Logger] misc-org.pentaho.platform.engine.core.system.PentahoSystem: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener

org.pentaho.platform.api.engine.PentahoSystemException: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 — Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener

Now it’s not even starting and the page looks like the image.

enter image description here

What did I put on the repository, or better what I changed is the password and the url.
I changed the url from jdbc:oracle:thin:@localhost:1521/XE to jdbc:oracle:thin:@hostname:port/servername or jdbc:oracle:thin:@hostname:port:servername but none of them are working.

Context.xml

Before that, I create the repository and the 3 user as explained in the guide:

--THIS USER IS SPECIFIC TO THE DATABASE WHERE THIS SCRIPT IS TO BE RUN AND
--IT SHOULD BE A USER WITH DBA PRIVS.
--AND ALSO @pentaho should be replaced with the correct instance name
--
--NOTE: run create_repository_ora.sql before running this script, which
--      creates the pentaho_tablespace

-- conn admin/password@pentaho

drop user quartz cascade;

create tablespace pentaho_tablespace
  logging
  datafile 'ptho_ts.dbf' 
  size 32m 
  autoextend on 
  next 32m maxsize 2048m
  extent management local;

create user quartz identified by "password" default tablespace pentaho_tablespace quota unlimited on pentaho_tablespace temporary tablespace temp quota 5M on system;

grant create session, create procedure, create table to quartz;

--CREATE QUARTZ TABLES

CONN quartz/password

CREATE TABLE QRTZ5_JOB_DETAILS 
  (
    JOB_NAME  VARCHAR2(200) NOT NULL,
    JOB_GROUP VARCHAR2(200) NOT NULL,
    DESCRIPTION VARCHAR2(250) NULL,
    JOB_CLASS_NAME   VARCHAR2(250) NOT NULL, 
    IS_DURABLE VARCHAR2(1) NOT NULL,
    IS_VOLATILE VARCHAR2(1) NOT NULL,
    IS_STATEFUL VARCHAR2(1) NOT NULL,
    REQUESTS_RECOVERY VARCHAR2(1) NOT NULL,
    JOB_DATA BLOB NULL,
    PRIMARY KEY (JOB_NAME,JOB_GROUP)
);

CREATE TABLE QRTZ5_JOB_LISTENERS
  (
    JOB_NAME  VARCHAR2(200) NOT NULL, 
    JOB_GROUP VARCHAR2(200) NOT NULL,
    JOB_LISTENER VARCHAR2(200) NOT NULL,
    PRIMARY KEY (JOB_NAME,JOB_GROUP,JOB_LISTENER),
    FOREIGN KEY (JOB_NAME,JOB_GROUP) 
        REFERENCES QRTZ5_JOB_DETAILS(JOB_NAME,JOB_GROUP)
);

CREATE TABLE QRTZ5_TRIGGERS
  (
    TRIGGER_NAME VARCHAR2(200) NOT NULL,
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    JOB_NAME  VARCHAR2(200) NOT NULL, 
    JOB_GROUP VARCHAR2(200) NOT NULL,
    IS_VOLATILE VARCHAR2(1) NOT NULL,
    DESCRIPTION VARCHAR2(250) NULL,
    NEXT_FIRE_TIME number(13) NULL,
    PREV_FIRE_TIME number(13) NULL,
    PRIORITY NUMBER(13) NULL,
    TRIGGER_STATE varchar2(16) NOT NULL,
    TRIGGER_TYPE varchar2(8) NOT NULL,
    START_TIME number(13) NOT NULL,
    END_TIME number(13) NULL,
    CALENDAR_NAME VARCHAR2(200) NULL,
    MISFIRE_INSTR number(2) NULL,
    JOB_DATA BLOB NULL,
    PRIMARY KEY (TRIGGER_NAME,TRIGGER_GROUP),
    FOREIGN KEY (JOB_NAME,JOB_GROUP) 
        REFERENCES QRTZ5_JOB_DETAILS(JOB_NAME,JOB_GROUP)
);

CREATE TABLE QRTZ5_SIMPLE_TRIGGERS
  (
    TRIGGER_NAME VARCHAR2(200) NOT NULL,
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    REPEAT_COUNT number(7) NOT NULL,
    REPEAT_INTERVAL number(12) NOT NULL,
    TIMES_TRIGGERED NUMBER(10) NOT NULL,
    PRIMARY KEY (TRIGGER_NAME,TRIGGER_GROUP),
    FOREIGN KEY (TRIGGER_NAME,TRIGGER_GROUP)
        REFERENCES QRTZ5_TRIGGERS(TRIGGER_NAME,TRIGGER_GROUP)
);

CREATE TABLE QRTZ5_CRON_TRIGGERS
  (
    TRIGGER_NAME VARCHAR2(200) NOT NULL,
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    CRON_EXPRESSION VARCHAR2(120) NOT NULL,
    TIME_ZONE_ID varchar2(80),
    PRIMARY KEY (TRIGGER_NAME,TRIGGER_GROUP),
    FOREIGN KEY (TRIGGER_NAME,TRIGGER_GROUP)
        REFERENCES QRTZ5_TRIGGERS(TRIGGER_NAME,TRIGGER_GROUP)
);

CREATE TABLE QRTZ5_BLOB_TRIGGERS
  (
    TRIGGER_NAME VARCHAR2(200) NOT NULL,
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    BLOB_DATA BLOB NULL,
    PRIMARY KEY (TRIGGER_NAME,TRIGGER_GROUP),
    FOREIGN KEY (TRIGGER_NAME,TRIGGER_GROUP) 
        REFERENCES QRTZ5_TRIGGERS(TRIGGER_NAME,TRIGGER_GROUP)
);

CREATE TABLE QRTZ5_TRIGGER_LISTENERS
  (
    TRIGGER_NAME  VARCHAR2(200) NOT NULL, 
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    TRIGGER_LISTENER VARCHAR2(200) NOT NULL,
    PRIMARY KEY(TRIGGER_NAME,TRIGGER_GROUP,TRIGGER_LISTENER),
    FOREIGN KEY (TRIGGER_NAME,TRIGGER_GROUP)
        REFERENCES QRTZ5_TRIGGERS(TRIGGER_NAME,TRIGGER_GROUP)
);

CREATE TABLE QRTZ5_CALENDARS
  (
    CALENDAR_NAME  VARCHAR2(200) NOT NULL, 
    CALENDAR BLOB NOT NULL,
    PRIMARY KEY (CALENDAR_NAME)
);

CREATE TABLE QRTZ5_PAUSED_TRIGGER_GRPS
  (
    TRIGGER_GROUP  VARCHAR2(200) NOT NULL, 
    PRIMARY KEY (TRIGGER_GROUP)
);

CREATE TABLE QRTZ5_FIRED_TRIGGERS
  (
    ENTRY_ID varchar2(95) NOT NULL,
    TRIGGER_NAME VARCHAR2(200) NOT NULL,
    TRIGGER_GROUP VARCHAR2(200) NOT NULL,
    IS_VOLATILE varchar2(1) NOT NULL,
    INSTANCE_NAME VARCHAR2(200) NOT NULL,
    FIRED_TIME number(13) NOT NULL,
    PRIORITY NUMBER(13) NOT NULL,
    STATE varchar2(16) NOT NULL,
    JOB_NAME VARCHAR2(200) NULL,
    JOB_GROUP VARCHAR2(200) NULL,
    IS_STATEFUL varchar2(1) NULL,
    REQUESTS_RECOVERY varchar2(1) NULL,
    PRIMARY KEY (ENTRY_ID)
);

CREATE TABLE QRTZ5_SCHEDULER_STATE
  (
    INSTANCE_NAME VARCHAR2(200) NOT NULL,
    LAST_CHECKIN_TIME number(13) NOT NULL,
    CHECKIN_INTERVAL number(13) NOT NULL,
    PRIMARY KEY (INSTANCE_NAME)
);

CREATE TABLE QRTZ5_LOCKS
  (
    LOCK_NAME  varchar2(40) NOT NULL,
    PRIMARY KEY (LOCK_NAME)
);


INSERT INTO QRTZ5_LOCKS values('TRIGGER_ACCESS');
INSERT INTO QRTZ5_LOCKS values('JOB_ACCESS');
INSERT INTO QRTZ5_LOCKS values('CALENDAR_ACCESS');
INSERT INTO QRTZ5_LOCKS values('STATE_ACCESS');
INSERT INTO QRTZ5_LOCKS values('MISFIRE_ACCESS');
create index idx_QRTZ5_j_req_recovery on QRTZ5_job_details(REQUESTS_RECOVERY);
create index idx_QRTZ5_t_next_fire_time on QRTZ5_triggers(NEXT_FIRE_TIME);
create index idx_QRTZ5_t_state on QRTZ5_triggers(TRIGGER_STATE);
create index idx_QRTZ5_t_nft_st on QRTZ5_triggers(NEXT_FIRE_TIME,TRIGGER_STATE);
create index idx_QRTZ5_t_volatile on QRTZ5_triggers(IS_VOLATILE);
create index idx_QRTZ5_ft_trig_name on QRTZ5_fired_triggers(TRIGGER_NAME);
create index idx_QRTZ5_ft_trig_group on QRTZ5_fired_triggers(TRIGGER_GROUP);
create index idx_QRTZ5_ft_trig_nm_gp on QRTZ5_fired_triggers(TRIGGER_NAME,TRIGGER_GROUP);
create index idx_QRTZ5_ft_trig_volatile on QRTZ5_fired_triggers(IS_VOLATILE);
create index idx_QRTZ5_ft_trig_inst_name on QRTZ5_fired_triggers(INSTANCE_NAME);
create index idx_QRTZ5_ft_job_name on QRTZ5_fired_triggers(JOB_NAME);
create index idx_QRTZ5_ft_job_group on QRTZ5_fired_triggers(JOB_GROUP);
create index idx_QRTZ5_ft_job_stateful on QRTZ5_fired_triggers(IS_STATEFUL);
create index idx_QRTZ5_ft_job_req_recovery on QRTZ5_fired_triggers(REQUESTS_RECOVERY);

commit;

I created the following docker compose:

version: "3"
services:
  # Pentaho BI
  pentaho:
    container_name: pentaho
    image: ca0abinary/docker-pentaho
    depends_on:
      - pentaho-pg
    ports:
      - "8080:8080"
    environment:
      - PGHOST=pentaho-pg
      - PGUSER=pentaho
      - PGPASSWORD=password
    volumes:
      - pentaho-hsqldb-data:/opt/pentaho/server/pentaho-server/data/hsqldb
      - pentaho-jackrabbit-data:/opt/pentaho/server/pentaho-server/pentaho-solutions/system/jackrabbit/repository
    networks:
      - integracion

  # PostgreSQL Database for Pentaho BI
  pentaho-pg:
    container_name: pentaho-pg
    image: postgres:9.4
    ports:
      - "4432:5432"
    environment:
      - POSTGRES_USER=pentaho
      - POSTGRES_PASSWORD=password
      - PGDATA=/var/lib/postgresql/data/pgdata
    volumes:
      - pentaho-pg-data:/var/lib/postgresql/data/pgdata
    networks:
      - integracion

volumes:
    pentaho-hsqldb-data: null
    pentaho-jackrabbit-data: null
    pentaho-pg-data: null
networks:
    integracion:
        driver: bridge
        ipam:
            driver: default
            config:
              - subnet: 172.19.0.0/16

then execute docker-compose up

and te output is:

pentaho       | 21:38:11,794 ERROR [Logger] Error: Pentaho
pentaho       | 21:38:11,795 ERROR [Logger] misc-org.pentaho.platform.engine.core.system.PentahoSystem: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener
pentaho       | org.pentaho.platform.api.engine.PentahoSystemException: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:369)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:331)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:227)
pentaho       | 	at org.pentaho.platform.web.http.context.SolutionContextListener.contextInitialized(SolutionContextListener.java:162)
pentaho       | 	at org.apache.catalina.core.StandardContext.listenerStart(StandardContext.java:4853)
pentaho       | 	at org.apache.catalina.core.StandardContext.startInternal(StandardContext.java:5314)
pentaho       | 	at org.apache.catalina.util.LifecycleBase.start(LifecycleBase.java:145)
pentaho       | 	at org.apache.catalina.core.ContainerBase.addChildInternal(ContainerBase.java:725)
pentaho       | 	at org.apache.catalina.core.ContainerBase.addChild(ContainerBase.java:701)
pentaho       | 	at org.apache.catalina.core.StandardHost.addChild(StandardHost.java:717)
pentaho       | 	at org.apache.catalina.startup.HostConfig.deployDirectory(HostConfig.java:1092)
pentaho       | 	at org.apache.catalina.startup.HostConfig$DeployDirectory.run(HostConfig.java:1834)
pentaho       | 	at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:511)
pentaho       | 	at java.util.concurrent.FutureTask.run(FutureTask.java:266)
pentaho       | 	at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142)
pentaho       | 	at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617)
pentaho       | 	at java.lang.Thread.run(Thread.java:745)
pentaho       | Caused by: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:451)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:433)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:412)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:433)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.access$000(PentahoSystem.java:83)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:364)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:361)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:412)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:361)
pentaho       | 	... 16 more
pentaho       | Caused by: java.lang.NullPointerException
pentaho       | 	at org.pentaho.platform.repository.JcrBackedDatasourceMgmtService.init(JcrBackedDatasourceMgmtService.java:67)
pentaho       | 	at org.pentaho.platform.engine.core.system.objfac.AbstractSpringPentahoObjectFactory.retreiveObject(AbstractSpringPentahoObjectFactory.java:266)
pentaho       | 	at org.pentaho.platform.engine.core.system.objfac.AbstractSpringPentahoObjectFactory.get(AbstractSpringPentahoObjectFactory.java:82)
pentaho       | 	at org.pentaho.platform.engine.core.system.objfac.AggregateObjectFactory.get(AggregateObjectFactory.java:273)
pentaho       | 	at org.pentaho.platform.engine.core.system.objfac.AggregateObjectFactory.get(AggregateObjectFactory.java:137)
pentaho       | 	at org.pentaho.platform.engine.services.connection.datasource.dbcp.NonPooledDatasourceSystemListener.getListOfDatabaseConnections(NonPooledDatasourceSystemListener.java:137)
pentaho       | 	at org.pentaho.platform.engine.services.connection.datasource.dbcp.NonPooledDatasourceSystemListener.startup(NonPooledDatasourceSystemListener.java:53)
pentaho       | 	at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:442)
pentaho       | 	... 24 more

I get this error when I set MySQL as repository:

PentahoSystem.ERROR_0014: Error while trying to execute startup sequence for org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener

I work with Pentaho BI Server pentaho-server-ce-7.1.0.0-12. As mentioned in some forums, the error disappeared when I have commented the line:

<bean id="dynamicallyPooledDataSourceSystemListener" class="org.pentaho.platform.engine.services.connection.datasource.dbcp.DynamicallyPooledDatasourceSystemListener" />

However, I can’t access with any account — even admin on the localhost — when I use that.

What can I do to solve this?

Giacomo1968's user avatar

Giacomo1968

51.6k18 gold badges162 silver badges205 bronze badges

asked Dec 23, 2020 at 19:59

Jamal Marouf's user avatar

1

I had the same issue. I discovered that some Tomcat components were not owned by the user (pentaho) under which I am running the server.

First, I stopped the server.

Re-established ownership of my pentaho install folder and all subfolders.

sudo chown -R pentaho:pentaho *

I removed all contents under the following folder.

~/pentaho/pentaho/server/pentaho-server/tomcat/work/Catalina/localhost

The Tomcat server will rebuild these folders and content when restarted.

Restarted the Pentaho server.

Giacomo1968's user avatar

Giacomo1968

51.6k18 gold badges162 silver badges205 bronze badges

answered Feb 16, 2021 at 13:47

dwilson's user avatar

This error can appear when jcr_user password was changed. Please follow pentaho installation documentation based on your server version to check it.

answered Apr 21, 2022 at 9:50

Petr's user avatar

1

HI Friends,

I am back after a long break. In-fact a long long break.

Hope you are all fine.

While starting pentaho for the first time, if you get following error on your browser sceen,

###########################

Pentaho Initialization Exception

The following errors were detected
One or more system listeners failed. These are set in the systemListeners.xml.
   org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 – Error while trying to execute startup sequence for org.pentaho.platform.repository2.unified.BackingRepositoryLifecycleManagerSystemListener

Please see the server console for more details on each error detected.

##################################################

Just try the below solutions,

  1. The Server will not run without the system database. If your logs show you a Quartz-Error, or a Hibernate error, then your HSQL database is not running. In the download, you’ll find a “data” directory. Start the “start-hypersonic.bat” before you start the main Pentaho server.
  2. Pentaho does not run with Java 8. There seem to be some incompatible changes in the JDK and I have not been able to actually start it up correctly. You have to use JDK 1.7 to be successful. ALso make sure that your JAVA_HOME or PENTAHO_JAVA_HOME points to the correct JDK.
  3. The Pentaho bat files try to locate a Java installation automatically, and without explicitly setting these environment variables, any JDK may be picked up at random. Usually that is the last JDK that has been installed or updated. So to be safe, lock down the JDK by setting these variables (via Control Panel-> System -> Advanced System Settings -> Environment Variables)

You have to check your log files for the exact error messages.

Have a nice day.


This entry was posted on June 6, 2015 at 11:53 am and is filed under Linux. You can follow any responses to this entry through the RSS 2.0 feed.
You can leave a response, or trackback from your own site.

Когда я пытался заменить hsqldb на mysql-5.XI, получилась следующая ошибка с ошибкой кварца:

Pentaho Initialization Exception

Были обнаружены следующие ошибки. Один или несколько системных слушателей потерпели неудачу. Они задаются в файле systemListeners.xml.

   PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.scheduler.QuartzSystemListener

Более подробную информацию об обнаруженной ошибке см. на консоли сервера.

31 янв. 2013, в 22:22

Поделиться

Источник

2 ответа

Я также получил сообщение об ошибке

PentahoSystem.ERROR_0014 — Ошибка при попытке выполнить последовательность запуска для org.pentaho.platform.scheduler.QuartzSystemListener

при попытке вызвать службу. Я нашел это решение после поиска нескольких разных потоков:

Удалите часть этих свойств (или скопируйте и вставьте здесь, и при необходимости измените) в quartz.properties (находится в pentaho-solutions/system/quartz):

org.quartz.dataSource.quartz.driver = com.mysql.jdbc.Driver
org.quartz.dataSource.quartz.URL = jdbc:mysql://localhost:3306/quartz
org.quartz.dataSource.quartz.user = pentaho_user
org.quartz.dataSource.quartz.password = password
org.quartz.dataSource.quartz.maxConnections = 5
org.quartz.dataSource.quartz.validationQuery= select 1

Также закомментируйте JNDI Url:

#org.quartz.dataSource.myDS.jndiURL = Quartz

user2101191
22 фев. 2013, в 23:53

Поделиться

Вы запустили кварцевые скрипты, которые устанавливают кварц db? они предоставляются в репозитории решений.

В противном случае пастебируйте полный журнал, это невозможно рассказать без дополнительной информации. подозреваете, что у вас либо будет проблема с проверкой подлинности, либо нет драйвера mysql в вашем пути к классам.

Для получения четкого руководства о том, как это сделать, выполните следующие действия:

http://www.prashantraju.com/2010/12/pentaho-3-7-with-mysql-postgresql-oracle-and-sql-server/

Codek
05 фев. 2013, в 16:56

Поделиться

Ещё вопросы

  • 0статья получит неправильные категории в красноречивом laravel 5.5
  • 0Извлечение контента из HTML с помощью PHP
  • 0обнаружение нескольких тегов HTML с помощью JavaScript и регулярных выражений
  • 0PHP5 — инициация класса через строку — 2 разных способа
  • 0JQuery рекурсивно проверено
  • 0Ошибка компиляции: не удалось вывести аргумент шаблона
  • 1как долго нажимается клавиша в Java
  • 1Хранилище BLOB-объектов Azure: DownloadToStreamAsync, загружающий потоки 0 КБ
  • 0Как найти элементы с одинаковыми атрибутами data- * и удалить дубликаты?
  • 0CouchDB с PHP (используя cURL), но как?
  • 0R RMySQL извлекает большие строки как строки
  • 0Преобразование из пользовательского класса в std :: string
  • 1Как найти не дочерний вид в Android?
  • 0Использование GetElementsById для поиска веб-сайта
  • 1Android HAS_PHONE_NUMBER
  • 1Как использовать функции JavaScript в директивах Vue?
  • 1Изменение изображения SplashScreen с помощью SplashScreen.setImageURL (ссылка);
  • 0INNER JOIN table1.id = table2.id и col1 = null и col2 = not null
  • 1Печать переменных в графическом интерфейсе tkinter
  • 0Работая с ESPN API, как я могу проанализировать этот JSON?
  • 1Нужно ли использовать threadPool.awaitTermination after future.get ();
  • 0Перехватчик с ограниченным ответом для заголовков
  • 1UnsatisfiedLinkError экспортирует dll для развертывания
  • 12 Intent Filters, 1 Activity — Кто это открыл?
  • 0Сохраните дополнительные данные при создании новой роли с Yii Rights Module
  • 1Как обеспечить доступ методов действия для конкретного пользователя в контроллере в asp.net mvc
  • 0отключить ссылку якоря стоек после отправки запроса на действие
  • 0Инициализация колоды с использованием Юникода
  • 0Скрипт самостоятельно делает неверный запрос (JS — TheMovieDb api)
  • 0Perl & Javascript / HTML loop
  • 0Как получить обложку альбома из музыкального файла с помощью PHP?
  • 0Передача входных данных между текстовыми полями HTML
  • 0как использовать функцию углового пользовательского интерфейса
  • 0JQuery и JS работает на DOM, а не onLoad
  • 0Тип пользовательского поля Symfony2 и события формы при отправке
  • 0Как создать несколько таблиц HTML с динамическими идентификаторами таблиц в XSLT
  • 1Модификация XML из разных задач одновременно
  • 0Наведите, над и .png картинки с прозрачным фоном
  • 0Удалите все до 3-го появления в PHP
  • 0Создайте два разных пути расположения на одной кнопке (AngularJS)
  • 0Как запустить асинхронный метод независимо от предыдущего успеха или неудачи
  • 1Python Argparse субпарсеры
  • 1String.Format () уничтожает ссылку в скайпе
  • 1Отправить сообщение через фильтр намерений
  • 1Сохраните напечатанный результат в кадре данных в Python
  • 1Построить мультииндексированный фрейм данных из фреймов данных
  • 0Угловой (пользовательский интерфейс) повтор: бесконечный цикл
  • 1Несоответствие границ: тип Foo не является допустимой заменой
  • 0создать копию таблицы Google Doc, используя PHP API
  • 0Элементы управления C ++ для игры, запущенной в консоли Windows

Сообщество Overcoder

Когда я пытался заменить hsqldb с mysql-5.XI получите следующую ошибку с ошибкой кварца, не удалось инициализировать: —

Pentaho Initialization Exception

Обнаружены следующие ошибки. Сбой одного или нескольких системных прослушивателей. Они устанавливаются в файле systemListeners.xml.

   PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.scheduler.QuartzSystemListener

Дополнительные сведения о каждой обнаруженной ошибке см. в консоли сервера.

2 ответы

Вы запускали сценарии кварца, которые настраивают базу данных кварца? они предоставляются в репозитории решений.

В противном случае вставьте полный журнал, без дополнительной информации невозможно сказать. подозреваю, что где-то у вас будет проблема с аутентификацией или нет драйвера mysql в вашем пути к классам.

Чтобы получить четкое руководство о том, как это сделать, следуйте здесь:

http://www.prashantraju.com/2010/12/pentaho-3-7-with-mysql-postgresql-oracle-and-sql-server/

Создан 05 фев.

Я также получил сообщение об ошибке

PentahoSystem.ERROR_0014 — Ошибка при попытке выполнить последовательность запуска для org.pentaho.platform.scheduler.QuartzSystemListener.

при попытке поднять службу. Я нашел это решение после поиска в нескольких разных темах:

Удалите закомментированную часть этих свойств (или скопируйте и вставьте отсюда и измените при необходимости) в quartz.properties (находится в pentaho-solutions/system/quartz):

org.quartz.dataSource.quartz.driver = com.mysql.jdbc.Driver
org.quartz.dataSource.quartz.URL = jdbc:mysql://localhost:3306/quartz
org.quartz.dataSource.quartz.user = pentaho_user
org.quartz.dataSource.quartz.password = password
org.quartz.dataSource.quartz.maxConnections = 5
org.quartz.dataSource.quartz.validationQuery= select 1

Также закомментируйте URL-адрес JNDI:

#org.quartz.dataSource.myDS.jndiURL = Quartz

Создан 22 фев.

Не тот ответ, который вы ищете? Просмотрите другие вопросы с метками

mysql
pentaho

or задайте свой вопрос.

Я загрузил Pentaho 7 CE edition, но мне не удалось заставить его работать. Я заметил, что в журнале появляется системная ошибка 0014.

Я также загрузил Java jre1.8.0_131 и использую компьютер с Windows 10. Ниже приведен фрагмент журнала ошибок в tomcat.

20:39:08,993 ERROR [OSGIBoot] Error starting Karaf
java.lang.RuntimeException: Could not resolve mvn:org.apache.felix/org.apache.felix.framework/4.2.1
        at org.apache.karaf.main.util.SimpleMavenResolver.resolve(SimpleMavenResolver.java:59)
        at org.apache.karaf.main.Main.createClassLoader(Main.java:309)
        at org.apache.karaf.main.Main.launch(Main.java:229)
        at org.pentaho.platform.osgi.KarafBoot$4.run(KarafBoot.java:239)
        at java.lang.Thread.run(Unknown Source)
        at org.pentaho.platform.osgi.KarafBoot.startup(KarafBoot.java:247)
        at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:443)
        at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:434)
        at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:413)
        at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:434)
        at org.pentaho.platform.engine.core.system.PentahoSystem.access$000(PentahoSystem.java:84)
        at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:365)
        at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:362)
        at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:413)
        at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:362)
        at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:332)
        at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:228)
        at org.pentaho.platform.web.http.context.SolutionContextListener.contextInitialized(SolutionContextListener.java:162)
        at org.apache.catalina.core.StandardContext.listenerStart(StandardContext.java:4853)
        at org.apache.catalina.core.StandardContext.startInternal(StandardContext.java:5314)
        at org.apache.catalina.util.LifecycleBase.start(LifecycleBase.java:145)
        at org.apache.catalina.core.ContainerBase.addChildInternal(ContainerBase.java:753)
        at org.apache.catalina.core.ContainerBase.addChild(ContainerBase.java:729)
        at org.apache.catalina.core.StandardHost.addChild(StandardHost.java:717)
        at org.apache.catalina.startup.HostConfig.deployDirectory(HostConfig.java:1092)
        at org.apache.catalina.startup.HostConfig$DeployDirectory.run(HostConfig.java:1834)
        at java.util.concurrent.Executors$RunnableAdapter.call(Unknown Source)
        at java.util.concurrent.FutureTask.run(Unknown Source)
        at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source)
        at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source)
        at java.lang.Thread.run(Unknown Source)
20:39:09,001 ERROR [Logger] Error: Pentaho
20:39:09,005 ERROR [Logger] misc-org.pentaho.platform.engine.core.system.PentahoSystem: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.osgi.OSGIBoot
org.pentaho.platform.api.engine.PentahoSystemException: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.osgi.OSGIBoot
        at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:370)
        at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:332)
        at org.pentaho.platform.engine.core.system.PentahoSystem.init(PentahoSystem.java:228)
        at org.pentaho.platform.web.http.context.SolutionContextListener.contextInitialized(SolutionContextListener.java:162)
        at org.apache.catalina.core.StandardContext.listenerStart(StandardContext.java:4853)
        at org.apache.catalina.core.StandardContext.startInternal(StandardContext.java:5314)
        at org.apache.catalina.util.LifecycleBase.start(LifecycleBase.java:145)
        at org.apache.catalina.core.ContainerBase.addChildInternal(ContainerBase.java:753)
        at org.apache.catalina.core.ContainerBase.addChild(ContainerBase.java:729)
        at org.apache.catalina.core.StandardHost.addChild(StandardHost.java:717)
        at org.apache.catalina.startup.HostConfig.deployDirectory(HostConfig.java:1092)
        at org.apache.catalina.startup.HostConfig$DeployDirectory.run(HostConfig.java:1834)
        at java.util.concurrent.Executors$RunnableAdapter.call(Unknown Source)
        at java.util.concurrent.FutureTask.run(Unknown Source)
        at java.util.concurrent.ThreadPoolExecutor.runWorker(Unknown Source)
        at java.util.concurrent.ThreadPoolExecutor$Worker.run(Unknown Source)
        at java.lang.Thread.run(Unknown Source)
Caused by: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.osgi.OSGIBoot
        at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:452)
        at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:434)
        at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:413)
        at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:434)
        at org.pentaho.platform.engine.core.system.PentahoSystem.access$000(PentahoSystem.java:84)
        at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:365)
        at org.pentaho.platform.engine.core.system.PentahoSystem$1.call(PentahoSystem.java:362)
        at org.pentaho.platform.engine.core.system.PentahoSystem.runAsSystem(PentahoSystem.java:413)
        at org.pentaho.platform.engine.core.system.PentahoSystem.notifySystemListenersOfStartup(PentahoSystem.java:362)
        ... 16 more
Caused by: org.pentaho.platform.api.engine.PentahoSystemException: PentahoSystem.ERROR_0014 - Error while trying to execute startup sequence for org.pentaho.platform.osgi.OSGIBoot
        at org.pentaho.platform.engine.core.system.PentahoSystem$2.call(PentahoSystem.java:444)
        ... 24 more
20:39:09,009 ERROR [Logger] Error end:
20:39:09,009 INFO  [PeriodicStatusLogger] Warning, one or more errors occurred during the initialization process.
Pentaho BI Platform server failed to properly initialize. The system will not be available for requests. (pentaho-platform-core 7.1.0.0-12) Fully Qualified Server Url = http://localhost:8080/pentaho/, Solution Path = C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-serverpentaho-solutions
10-Jul-2018 20:39:29.970 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deployment of web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappspentaho has finished in 295,164 ms
10-Jul-2018 20:39:29.970 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deploying web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappspentaho-style
10-Jul-2018 20:39:30.894 INFO [localhost-startStop-1] org.apache.jasper.servlet.TldScanner.scanJars At least one JAR was scanned for TLDs yet contained no TLDs. Enable debug logging for this logger for a complete list of JARs that were scanned but no TLDs were found in them. Skipping unneeded JARs during scanning can improve startup time and JSP compilation time.
10-Jul-2018 20:39:30.910 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deployment of web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappspentaho-style has finished in 940 ms
10-Jul-2018 20:39:30.910 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deploying web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappsROOT
10-Jul-2018 20:39:31.640 INFO [localhost-startStop-1] org.apache.jasper.servlet.TldScanner.scanJars At least one JAR was scanned for TLDs yet contained no TLDs. Enable debug logging for this logger for a complete list of JARs that were scanned but no TLDs were found in them. Skipping unneeded JARs during scanning can improve startup time and JSP compilation time.
10-Jul-2018 20:39:31.656 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deployment of web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappsROOT has finished in 730 ms
10-Jul-2018 20:39:31.656 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deploying web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappssw-style
10-Jul-2018 20:39:32.398 INFO [localhost-startStop-1] org.apache.jasper.servlet.TldScanner.scanJars At least one JAR was scanned for TLDs yet contained no TLDs. Enable debug logging for this logger for a complete list of JARs that were scanned but no TLDs were found in them. Skipping unneeded JARs during scanning can improve startup time and JSP compilation time.
10-Jul-2018 20:39:32.414 INFO [localhost-startStop-1] org.apache.catalina.startup.HostConfig.deployDirectory Deployment of web application directory C:Program FilesPentaho_BIpentaho-server-ce-7.1.0.0-12pentaho-servertomcatwebappssw-style has finished in 758 ms
10-Jul-2018 20:39:32.445 INFO [main] org.apache.coyote.AbstractProtocol.start Starting ProtocolHandler ["http-apr-8080"]
10-Jul-2018 20:39:32.632 INFO [main] org.apache.coyote.AbstractProtocol.start Starting ProtocolHandler ["ajp-apr-8009"]
10-Jul-2018 20:39:32.632 INFO [main] org.apache.catalina.startup.Catalina.start Server startup in 298043 ms

Буду признателен за помощь в решении моей проблемы.

Данное руководство

которое вы упомянули, должно быть заколдовано. В нем нет информации о том, что для успешного запуска платформы pentaho (которую вы упоминаете как ‘Pentaho BI Server’) необходимо определить правильное подключение репозитория.

Ошибка

говорит о том, что платформа не может запуститься, поскольку соединение с репозиторием недоступно. Фокус в том, что когда люди скачивают CE версию платформы pentaho, она поставляется с конфигурацией по умолчанию, которая указывает на базу данных postgres с учетными данными по умолчанию — admin/password. Предполагается, что у вас уже есть локально установленный postgres с пользователем admin и grunted root доступом к этой базе данных. В противном случае — вам придется редактировать репозиторий, устанавливать соединения вручную и прочее. Это может быть startpoint. Когда вы скачиваете и распаковываете платформу pentaho, это как раз случай ручной установки.

В противоположность этому, EE версия pentaho использует бинарный инсталлятор, во время установки postgres устанавливается автоматически, насколько корректны пользователи, предоставлен доступ и сгенерированы конфигурации. Когда вы установили платформу pentaho таким образом, вы даже можете не заметить, что такая функциональность существует — просто начните использовать и получайте удовольствие. По моему опыту, CE edition требует некоторой технической подготовки, и следования инструкциям Саймона иногда бывает недостаточно.

Что касается понижения версии java, Pentaho 7 скомпилирован с java 8 и должен быть удобен. Для релизов pentaho до 7 версии вы можете использовать java 7.

Понравилась статья? Поделить с друзьями:

Читайте также:

  • Error 001369 arcgis
  • Error 001100279 has occurred in subroutine erraction
  • Error 0010 компрессор a37
  • Error 001 wii
  • Error 001 make sure your computer has connect internet

  • 0 0 голоса
    Рейтинг статьи
    Подписаться
    Уведомить о
    guest

    0 комментариев
    Старые
    Новые Популярные
    Межтекстовые Отзывы
    Посмотреть все комментарии