Missing schedule option on Infoview

Hi,
I've created a webi doc and when it shows up in infoview i don't have the option to schedule it.  Within the same folder I have created another report with the option.  All I see is modify and properties.  I know I'm missing something simple.  Can anybody point me in the right direction whether it is an answer or documentation?  I'm very new to business objects.  I've searched the forums and google with no luck.
Thanks,
Derek

Hi,
Thank you for your quick reply.  I'm using BO XI R2.  I haven't done any customization as I've only been working on the product for 2 weeks so I'm very green to it.  I'm taking over for another person.  The strange thing is last week I was able to create a report that can be scheduled and this week I can.  Both reports use the same universe.

Similar Messages

  • Infoview Schedule option

    Is there a way to hide database logon information from Infoview Schedule option? I do not want users to use this when they schedule the report.
    The report will run successfully if the users do not enter any database information in there but if they enter some "junk"information in there then the report will fail.
    Thanks!

    Bing,
      The out of the box Infoview does not supply a means to abstract that portion of the scheduling menu items.  Although there are means of customizing Infoview, it is neither supported nor recommended.  Aside from losing any customization when an update or upgrade is done, there is a high risk of rendering the system inoperable which could be a very costly factor in the long run.  Ideally, the best course of action is to properly educate the end users as to what is allowed to be changed.  There are only limited times when an end user would need to supply database information.  One being that the login credentials are intentially left blenk so the user MUST logon to the database.
      A valid option that I can endorse is to use the various SDK(s) available to promote a simple means of scheduling a report to your end users. You have not indicated whether you are using the .NET or JAVA version of Infoview, but it is possible to schedule reports via a web application that would not display the database menu items. 
    // Tony

  • 404 missing page error in infoview

    After logging in to infoview, the user gets a 404 missing page error in infoview when they try to schedule a report. Can you please let me know if the source for this error is a firewall issue?
    Thanks.

    We have tried clearing out cache. That did not help. I will check on browser version. Also have few more users unable to schedule. Permissions are okay. They ran one report on the schedule and it completed. But when they scheduled 10 reports to run on one server group which has one adaptive job server and one webi server, the reports did not run. They were scheduled in 30 minute intervals to run starting 12 in the night. All failed immediatly - my take on this is at least the first one should have run since theere was a 3o minute ineterval between that one and the second report. (But it ran during the day when scheduled to run)
    Got a Unexpected exception caught. Reason: [java.lang.NullPointerException: i_statusInfo is null.] error. Usually that error is a memory error, right? Even if it was , not sure why the first one did not run. I had scheduling issues on another webiserver as well and I also have a trace log for that server. Looks like attachments cannot be uploaded. Can be it emailed to you?
    Edited by: BO_dev on Jul 28, 2011 6:53 PM

  • How to check missed schedules of custom scheduler?

    Hello,
    I have created a custom scheduler that has been running fine, but it depends on SQL Server Agent service. I want it to process missed schedules after a potential downtime.
    CREATE TABLE [dbo].[Schedules](
    [Id] [int] NOT NULL,
    [Frequency] [int] NOT NULL,
    [Time] [time](0) NOT NULL,
    [Days] [int] NOT NULL
    ) ON [PRIMARY]
    GO
    INSERT INTO Schedules VALUES (1,1,'01:00:00',16);
    INSERT INTO Schedules VALUES (2,1,'23:30:00',62);
    INSERT INTO Schedules VALUES (3,1,'18:00:00',127);
    INSERT INTO Schedules VALUES (4,2,'01:00:00',16);
    INSERT INTO Schedules VALUES (5,2,'02:30:00',8);
    INSERT INTO Schedules VALUES (6,2,'23:30:00',127);
    GO
    The following is the query I run every minute to capture the schedules to run at that minute.
    DECLARE @dt datetime,
    @tm time(0),
    @wd int;
    SELECT @dt = CONVERT(char(16),Getdate(),121); --Zero out seconds and milliseconds
    --SELECT @dt = CONVERT(char(16),'2014-02-25 09:39:25.443',121);
    SELECT @tm = CAST(@dt as time(0));
    SELECT @wd = DATEPART(weekday,@dt) -1; -- Sunday=0, Monday=1,...,Saturday=6
    SELECT Id, Frequency, Time, Days
    FROM Schedules
    WHERE
    (frequency = 2 --Daily
    AND days & power(2,@wd) <> 0
    AND datepart(hour,time) = datepart(hour,@tm)
    AND datepart(minute,time) = datepart(minute,@tm))
    OR
    (frequency = 1 --Hourly
    AND datepart(minute,time) = datepart(minute,@tm));
    Now, I need to create a query/sproc which will returns schedule ids between two dates. I will populate the dates; the datetime of last executed schedule (id) as @StartDate, and maybe GetDate() as @EndDate. I can later run that sproc as a strtup sproc for
    SQL Agent service.
    usp_FindMissedSchedules @StartDate, @EndDate;
    No simple approach comes to my mind.
    Thanks,
    Kuzey

    You can do this by creating a CTE that will include one row for every minute of every day between @StartDate and EndDate and then cross joining it to your Schedules table.  So
    Declare @StartDate datetime = '20140218 10:07';
    Declare @EndDate datetime = GetDate();
    With cte As
    (Select DateAdd(minute, 1, @StartDate) As EachMinute
    Union All
    Select DateAdd(minute, 1, c.EachMinute) As EachMinute
    From cte c
    Where c.EachMinute < GetDate())
    Select s.Id, s.Frequency, s.Time, s.Days, c.EachMinute As ShouldHaveBeenRunAt
    From cte c
    Cross Join dbo.Schedules s
    WHERE
    (frequency = 2 --Daily
    AND days & power(2,DateDiff(day, '18991231' /* because Dec 31, 1899 was a Sunday */, c.EachMinute) % 7) <> 0
    AND datepart(hour,time) = datepart(hour,c.EachMinute)
    AND datepart(minute,time) = datepart(minute,c.EachMinute))
    OR
    (frequency = 1 --Hourly
    AND datepart(minute,time) = datepart(minute,c.EachMinute))
    Order By c.EachMinute, s.Id
    Option(MaxRecursion 0);
    I used a different method to determine Sunday = 0, Monday = 1, etc.  It can be problematic to use DATEPART(weekday ...) to determine the day of the week.  The value returned by DATEPART depends on the value of DATEFIRST.  And the default value
    of DATEFIRST depends on the language set on the user's PC.  If someone who has a PC set up as English UK runs DATEPART(weekday...) for a Saturday date, they don't get 7 as the result, they get 6.
    A safe way to the Sunday = 0, Monday = 1, etc is to do DateDiff(days, ...), divide by 7 and take the remainder (that"s what the % 7 does in the above code) where you use a date that is a Sunday.  This is what I did in the code above.  You can pick
    any Sunday, I choose Dec 31, 1899.  That way your code works no matter what the value of DATEFIRST is.
    Tom

  • Why does FireFox look for "Chrom..........." when I close the left (last) tag and report "can't open ....? Have i missed an option that wold send it to my hom

    If I close the last (left) tab to return to my desktop, firefox tries to load google Chrome and reports to me that it can't find the server.
    Apparently, I have missed an option in the help area that prevents this. Any ideas?

    Hello,
    In order to better assist you with your issue please provide us with a screenshot. If you need help to create a screenshot, please see [[How do I create a screenshot of my problem?]]
    Once you've done this, attach the saved screenshot file to your forum post by clicking the '''Browse...''' button below the ''Post your reply'' box. This will help us to visualize the problem.
    Thank you!

  • Download manager and download tab missing in options box.

    The download manager and download tab missing in options box when I dropdown tool in menu bar.

    The default Firefox Options window doesn't have a separate tab for Downloads, those prefs are on the General tab below Startup.

  • Missing PDF Options in Acrobat Pro 8

    For some reason, on some machines in the office "PDF Options" is missing when we try to print to the Adobe PDF 8.0 printer under OS X 10.4.10. Both machines are Intel-based.
    Two of the machines in the office have the option, two don't.
    We thought it was something specific to these machines. Then yesterday, on a brand new MacBook Pro, we reinstalled a user's license from the DVD and the same thing happened: no PDF Options. This machine had been used for two days. Microsoft Office 2004 installed, Firefox and that's it - otherwise bog standard. Never had an Adobe product on it, never had Acrobat on it. Updated to 8.1.1, no change.
    We've tried completely uninstalling, trashing all the Adobe and Acrobat-related items in /Library and ~/Library, same with prefs. We've searched the entire machine for any string that includes 'adobe' or 'acrobat' and trashed them, emptied the trash, restarted, then reinstalled (re-serialising in the process). We've reset the printing system and added the printers back.
    We've cleaned the cache files (using AppleJack, a great little utility), repaired permissions, reinstalled the 10.4.10 Combo Updater, DiskWarriored the machine.
    We're tearing our hair out, because in our office, this option is vital to the daily work flow.
    Is anyone else seeing this? Anyone got a reliable fix?

    I "think" that there may be a way to correct this, but it's at your own peril if it doesn't. Then again what have you got to lose? Here is something from another public forum. It's about Acrobat 6.x and 7.x but it sounds like the same issue. If you decide to try this and it works let us know.
    http://adobe.groupbrowser.com/threadpage1616-2-10.html
    "Re: Acrobat 7 Pro: missing PDF Options menu in all applications
    06-23-2005, 07:00 PM #15
    [email protected]
    Guest
    Status:
    Posts: n/a
    Re: Acrobat 7 Pro: missing PDF Options menu in all applications
    Hi all,
    I solved this error with Acrobat 7 by deleting the com.adobe.print.AdobePDF7 folder from the user library preferences. It may be missed by those who are deleting preferences because it is not grouped with the com.adobe.acrobat.xxx.plist files.
    The equivalent folder for Acrobat 6 is called com.adobe.print.AdobePDF located in the users home library preference folder.
    I hope this helps.
    Best,
    John"
    ~T

  • SPM 2.1 Scheduling Option - Daily. How can I control when during the day?

    Hi All,
    I understand that when you enable the "scheduling" option in the report, the report runs in the background and this caches the data to table opmdm_precalc_a.
    You can set scheduling to daily or weekly runs. The weekly load can be set in the "Application Properties" menu e.g. to Sunday.
    If I chose "daily", what time is it run then? The same time as the alert in "Application Properties"?
    I've had a quick look at OPM* and RSXA* tables but couldnt see anything obvious as a clue.
    Many thanks for any help
    Neil

    Hi Neil,
    Yes, you are right.  The time of execution is the same as the one for alerts.
    Regards,
    Rohit

  • 11g BI Publisher Report - Disable Schedule option

    Hi,
    Currently we have moved our BI Publisher catalog objects to the BI catalog and security is controlled through the web catalog for the BI publisher reports also.
    As part of it, we have given 'Read' only access to the BI publisher report and the user do not see any 'Edit' option.
    But the issue is that he is able to schedule the reports.
    Is there a way to disable that 'schedule' option?
    Thanks

    from the catalog manager or from analytics url select the folder under which u have bipublisher reports and then click on permissions for the entire folder or for the report and then select custom it will show u list of options like create,delete,run,schedule,view,etc so take out(uncheck) that schedule option thats it

  • [SOLVED] BUG tech preview 2, missing ssh option for CVS

    Jdev 11g preview 2 is missing ssh option for CVS.
    Message was edited by:
    user598691
    Jdev was using External Executable option.

    Sorry, turns out, jdev started out trying to use an external executable.

  • Missing Menu Options in Flash Builder

    I encountered a mystery surrounding several missing menu options in  one of my Flash Builder workspaces recently. I wanted to create a new  skin for a List control so I right-clicked on my skins folder and looked  for the New MXML Skin option. And I looked. And I looked some more. But  it wasn't there.
    I happened to have another copy of Flash Builder open in another  workspace so I gave it a try in that project. Sure enough, the New MXML  Skin option was there along with a couple of other options that were  missing in the first workspace. Here's a list of the menu options  missing from the File --> New menu in this workspace:
    Flash Professional Project
    MXML Item Renderer
    MXML Skin
    I'm not sure why those menu options went missing but I was able to  work around it by recreating the workspace. I simply created a new  workspace, copied all of the projects into the new workspace folder and  then imported all of my projects into the new folder. I then had a full  set of menu items.
    I poked around a bit trying to figure out what went wrong but wasn't  able to find a conclusive answer. My best guess is that it has something  to do with the fact that I was previously running the Flex 4 beta and  that's when I created the workspace with the problem. I compared the  workspace .metadata folder and, curiously, there were 25 folders inside  the .plugins folder for the problem workspace but only 12 for the newly  created one.

    This is an eclipse thingy, menus get cached in the workspace' metadata. If you try using a newer build of Flash Builder with a workspace from the previous version, you may notice this behavior.
    The workaround is to create a new workspace and import all projects there.
    -mayank

  • Infopackages and IPG--- Scheduling Options

    Hi, BI Experts
    Suppose there is a infopackage with a specified after event in its scheduling options and may be with some subsequent process.
    And this infopackage is also scheduled through IPG (or Process Chain) -
    immediate start at particular time i.e. it should start at particular time.
    Then What will happen in IPG (or Process Chain) when scheduled time comes.
    Will it wait for the after event present in scheduling options of infopackage or it will directly start the infopackage as on time of IPG (or Process Chain) .
    Please explain in detail and also explain concepts may b related to this.

    Hi Arun,
        Settings in Process chain takes effects. Process chain settings overwrites infopackage settings.
        P.S : Its advisable to use different infopackages.
    Hope it Helps
    Srini

  • Schedule option is grayed out

    Hi,
    I am trying to schedule a workbook which has been shared to my username, but the schedule option in File-> Schedule has been grayed out. what are the steps to grant privileges for scheduling a workbook ?
    -Suresh

    Hi,
    In order to schedule you need to have the privileges to run schedule.
    This can be done using the Discoverer administrator tool,
    After log in (doesn't matter the BA you choose to open) go to the menu to tools-> privileges
    or use the shortcut (ctrl+P).
    Search for the user name you want to give the privileges to and set the check box for schedule workbooks.
    Now try to log in to PLUS or DESKTOP and try to schedule
    Tamir

  • Process chain scheduling options

    Hi Experts ,
            whats the diffrence of Direct scheduling and Start using Metachain or API .
    here the scenerio i have one metachain in that i have 4 local chains .
    Metachain (direct scheduling)
    1
    1
    Local chain 1 ( Start using Metachain or API) .
    1
    1
    local chain2  (direct scheduling)
    1
    1
    here when i triggred the metachain its not showing any logs and its not triggreing the localchain1 .
    could u please explan the diffrence of scheduling options and suggest me to run the metachain successfully.
    Advance thanks
    Regards
    guttireddy

    Hi Guttireddy,
    Direct Scheduling: When you activate the process chain the start process is scheduled in the background, as defined in your selections.
    Start using Meta Chain or API:
    Using API :You can use the SAP NetWeaver Scheduling Framework to start the chain and to have more extensive scheduling options.
    Using Meta Chain :A metachain is a process chain, for which you determine this start condition, that is fixed to another process chain. The process chain is started directly by this metachain.If you start the start process using a metachain, it is not scheduled after you have activated the related process chain. The process chain is only started when the metachain, to which it is linked, is running.
    Try the below points for your issue:
    1. Let the settings for your Meta Chain be 'Direct Scheduling' > Change Selections> Choose required Date/Time. You may also Check Periodic Job and set Periodic Values if required.
    2. Now coming to your Local chain 1 > Schedule even this with 'Direct Scheduling' > Change Selections > Check the Immediate start option> Uncheck the Periodic Job Option > Save.
    3. Follow step 2 even for your Local chain 2.
    4. Now schedule your Meta Chain, it should run fine.
    5. You may even set your Meta Chain to run 'Immediate', but you have to trigger it manually everytime.
    Hope this helps.
    Regards
    Sai

  • I miss the option wireless spot in my Iphone, how can I get it back?

    Hi,
    I miss the option "wireless spot" in my Iphone, how can I get it back?
    BR
    Jan

    You can to delete it. It's either been moved to another page or into a folder or hidden by restrictions. Settings>General>Restrictions.

Maybe you are looking for

  • AD Replication Failure Between 2 Server 2008 R2 - LDAP bind failed with error 8341,

    Hi everybody, I've having 2 AD Server : GDS and DC1. They can't replicate with each other for a long time ( more than 60 days ) They placed at 2 diffirent subnet, no FW rule. I can ping, resolve the DNS by nslookup both Servers When i use cmd command

  • Archieve Process Order

    Dear all, Please look into the below mentioned scenario & revert your thoughts. There is a stock in QM lot of XYZ material. The process order was of year 2012 & hence it was TECOed & removed from the system. Now when i am trying to do UD through QA32

  • RPG Game Programming

    for our project, our teacher assigned us to make a java rpg game. this is not a very advanced game, the map is only stationary, and you know, the hero moves around it, and stuff bottom line is: i do not know how to begin. could you please give me som

  • Users and privileges

    Hi All; What are the steps to create a user and give him full privileges? Can you give me an example with the User Nabil please? Thanks alot

  • NIPBCFK.sys

    I am having my computer post a Unknown Device Error in the System Devices . When you look at the device it states that it is a National Instruments device with the following files: NIPCFK.sys Version 1.1.1.f0 NIPXIBAF.sys Version 2.5.4f1 NIPXIBRC.sys