Multiple ImFilter Warnings

Recently changed filter to Action: Warn
get-csimfilterconfiguration
Get-CsImFilterConfiguration
Identity : Global
Prefixes : {callto:, file:, ftp., ftp:...}
AllowMessage :
WarnMessage : Warning: Hyperlinks can contain viruses or otherwise be ha
rmful to your computer and data. To protect your computer,
click only those hyperlinks from trusted sources.
Enabled : True
IgnoreLocal : True
BlockFileExtension : True
Action : Warn
Filter is working but warnings are tripled during federated IM.
Warning: Hyperlinks can contain viruses or otherwise be harmful to your computer and data. To protect your computer, click only those hyperlinks from trusted sources. Warning: Hyperlinks can contain viruses or otherwise be harmful to your computer and data. To protect your computer, click only those hyperlinks from trusted sources.Warning: Hyperlinks can contain viruses or otherwise be harmful to your computer and data. To protect your computer, click only those hyperlinks from trusted sources.
www.google.com <http://www.google.com/>
and doubled during internal IM.
creating 3 identities for pools : fes ,director, edge and enable only fes didn't help.
It looks each pool adds next warning, how to make sure that 1 warning will be added ?

Get-CsImFilterConfiguration
Identity           : Global
Prefixes           : {callto:, file:, ftp., ftp:...}
AllowMessage       :
WarnMessage        : Warning: Hyperlinks can contain viruses or otherwise be ha
                     rmful to your computer and data. To protect your computer,
                      click only those hyperlinks from trusted sources.
Enabled            : False
IgnoreLocal        : True
BlockFileExtension : True
Action             : Warn
Identity           : Service:Registrar:fespool.domain.name
Prefixes           : {callto:, file:, ftp., ftp:...}
AllowMessage       :
WarnMessage        : Warning: Hyperlinks can contain viruses or otherwise be ha
                     rmful to your computer and data. To protect your computer,
                      click only those hyperlinks from trusted sources.
Enabled            : True
IgnoreLocal        : True
BlockFileExtension : False
Action             : Warn
Identity           : Service:EdgeServer:edgepool.domain.name
Prefixes           : {callto:, file:, ftp., ftp:...}
AllowMessage       :
WarnMessage        :
Enabled            : False
IgnoreLocal        : True
BlockFileExtension : False
Action             : Allow
Identity           : Service:Registrar:dirpool.domain.name
Prefixes           : {callto:, file:, ftp., ftp:...}
AllowMessage       :
WarnMessage        :
Enabled            : False
IgnoreLocal        : True
BlockFileExtension : False
Action             : Allow
You can configure it in Control Panel "IM and Precense" -> "URL Filter" -> "New" -> "Pool configuration"
In this configuration receives 2 warnings during Internal IM and 1 warning during fedarated IM, in case FEs Pool IM filter disabled for sure warnings dissapear totally.
Statement:
If a server (Server1) adds a warning to an instant message that contains an active hyperlink, a subsequent server (Server2) that receives this instant message can still take a different action
based on this active hyperlink present in the instant message and block the instant message or add a warning. If Server2 is configured only to add a warning for this URL, the earlier warning added by Server1 is removed, and the warning configured on Server2
is added to the beginning of the instant message.
From:
https://technet.microsoft.com/en-us/library/gg520952(v=ocs.14).aspx
looks is not true.
Please help why there is more than 1 warning ?

Similar Messages

  • How to avoid IE pop-ups when running BIP reports(w/ SSO) from Oracle Forms?

    Hi all,
    We have an OID/SSO integrated Oracle Forms and BI Publisher environment in place. We/users expect the same behavior when running Oracle Reports or BIP reports from Oracle Forms... which means receiving no intermediate pop-ups and simply getting the report output to appear in the relevant target application(PDF, EXCEL, etc). Currently we get multiple security warnings when running BIP reports from Oracle Forms.
    Here's a list of Pop-ups contents:
    1. "File Download - Security Warning" Do you want to open or save this file? -> OPEN
    2. "File Download" Do you want to save this file? Name = ma01r500.pdf -> YES
    3. "Save AS" -> pick desktop and save.
    4. "Download Complete" -> OPEN
    We have experimented with setting various IE security settings to LOW/enabled and still get these pop-ups.
    Any suggestions is much appreciated.
    Thanks,
    Yahya

    FYI... Metalink Note 282996.1 has resolved the bigger issue with the extra pop-ups with SSO enabled environment.
    Cause:
    Internet Explorer (IE) has to cache PDF files in a temporary directory prior to opening the file. Without this IE cannot process PDF files. With SSO protected pages, the header cache settings are set to no-cache which prevents IE from downloading PDF files.
    Solution:
    In mod_osso.conf use the entry "OssoSendCacheHeaders off" which tells mod_osso to turn off all no-cache related headers, which the enables Internet Explorer to be cache the file in a temporary directory.
    Now I am not sure if anybody has any thoughts/suggestions as how we might be able to resolve this issue where Oracle Reports WEB.SHOW_DOCUMENT calls have no pop-ups so ideally BIP reports WEB.SHOW_DOCUMENT calls should behave the same as both are calls from Oracle Forms.
    But at least now our SSO enabled environment and un-secure DEV/UAT behave the same with a single pop-up. Ideally the users shouldn't have to come across this intermediate pop-up to open(save/cancel being the other options) the document(just like Oracle Reports calls).
    Yahya

  • How to create an array with Generic type?

    Hi,
    I need to create a typed array T[] from an object array Object[]. This is due to legacy code integration with older collections.
    The method signature is simple:public static <T> T[] toTypedArray(Object[] objects)I tried using multiple implementations and go over them in the debugger. None of them create a typed collection as far as I can tell. The type is always Object[].
    A simple implementation is just to cast the array and return, however this is not so safe.
    What is interesting is that if I create ArrayList<String>, the debugger shows the type of the array in the list as String[].
    If I create ArrayList<T>, the class contains Object[] and not T[].
    I also triedT[] array = (T[]) Array.newInstance(T[].class.getComponentType(), objects.length);And a few other combinations. All work at runtime, create multiple compilation warnings, and none actually creates T[] array at runtime.
    Maybe I am missing something, but Array.newInstace(...) is supposed to create a typed array, and I cannot see any clean way to pass Class<T> into it.T[].class.getComponentType()Returns something based on object and not on T, and T.class is not possible.
    So is there anything really wrong here, or should I simply cast the array and live with the warnings?
    Any help appreciated!

    Ok. May be you could keep information about generic type in the your class:
    public class Util {
        public static <T> T[] toTypedArray(Class<T> cls, Object[] objects){
            int size = objects.length;
            T[] t = (T[]) java.lang.reflect.Array.newInstance(cls, size);
            System.arraycopy(objects, 0, t, 0, size);
            return t;
    public class Sample<T> {
        Class<T> cls;
        T[] array;
        public Sample(Class<T> cls) {
            this.cls = cls;
        public void setArray(Object[] objects){
            array = Util.toTypedArray(cls, objects);
        public T[] getArray(){
            return array;
        public static void main(String[] args) {
            Object[] objects = new Object[] { new LinkedList(), new ArrayList()};
            Sample<List> myClass = new  Sample<List>(List.class);
            myClass.setArray(objects);
            for(List elem: myClass.getArray()){
                System.out.println(elem.getClass().getName());
    }

  • Why PSE 10 works fine while PSE 11 crashes?

    I have used PhotoShop Elements (and Premiere) since 2003 (version 2).
    I recently was lured into upgrading from version 10 to 11 by a couple of new features, but I had trouble from the beginning.
    The first download would not start until I repeatedly accepted a series warnings that complained that something could not be located in the PLUGIN.dll .
    The program worked but not well. For example it was not listed in Windows "Open with" list, I had to find the Topaz filters manually, etc.
    Over a couple of weeks I downloaded it three times, from different sources and installed it again and again.
    Now it almost works:
    The multiple startup warnings are now reduced to one "The procedure entry point HandleWindowFont could not be located in the dynamic link library PLUGIN.dll" after which I have to repeatedly press OK.
    PSE 11 now starts from pointing to a JPG file in Explorer but does not open the file. I need to click on the file again, after PSE 11 has started, to load the file.
    Once loaded the file always starts in Quick Mode, instead of the last mode used.
    But what really irritates me is that PSE 11 drops out suddenly, usually after I invested a lot of time in an image.
    I click a command and suddenly, in a blink, I am on the desktop with no trace of what I have been doing. No trace of it in the "Open recently edited files" list.
    It was so sudden that it took me several events to notice that this seems to happen when I return to the PSE screen from a plug-in screen.
    So now I save my work frequently during the process of editing a file in PSE 11.
    By the way PSE 10 works fine and is solid. Is there any way to adapt the new "refine edge" feature to the previous version?
    For now I am back to using PSE 10 because PSE 11 is not worth the aggravation.
    On the other hand Premiere 11 seems to work just fine.
    I am using a DELL Precision 690 with 4 GB of RAM, running Vista 32 Business.

    Try making a direct shortcut for the Editor.
    On Windows, Right click anywhere on the desktop and select New >> Shortcut
    Then click the browse button and navigate to:
    "C:\Program Files\Adobe\Photoshop Elements 11\PhotoshopElementsEditor.exe"
    Then click Next; then click Finish.
    To launch, try right-clicking on the new desktop icons and choose “Run As Administrator” which often improves stability.

  • Subdivide a ALV column header

    Hi experts ,
    I have an requirment to divide a ALV column header.
    I want to add a header row grouping the column headers.
            Departure                                               Arrival        <-- This row is what I want to add
    Airport    Gate    Date                         Airport    Gate    Date
    Thanks,
    Regards ,
    Swashrayee
    Edited by: SWASHRAYEE77928 on Feb 1, 2012 7:30 AM
    Moderator Message: UserID sent for deletion, for ignoring multiple Moderator warnings.
    Edited by: kishan P on Feb 1, 2012 12:05 PM

    Hello,
    Take a look on this code:
      DATA:
        lv_title              TYPE        string,
        lt_columns            TYPE        salv_wd_t_column_ref,
        lr_column_settings    TYPE REF TO if_salv_wd_column_settings,
        lr_salv_wd_table      TYPE REF TO iwci_salv_wd_table,
        lr_table              TYPE REF TO cl_salv_wd_config_table,
      FIELD-SYMBOLS:
        <fs_column> LIKE LINE OF lt_columns,
      lr_salv_wd_table = wd_this->wd_cpifc_cmp_alv( ).
      lr_table         = lr_salv_wd_table->get_model( ).
      lr_column_settings ?= lr_table.
      lt_columns = lr_column_settings->get_columns( ).
      LOOP AT lt_columns ASSIGNING <fs_column>.
        lr_col_header = <fs_column>-r_column->get_header( ).
        lr_col_header->set_ddic_binding_element( space ).
        lr_col_header->set_ddic_binding_field( if_salv_wd_c_column_settings=>ddic_bind_none ).
          lv_title = cl_wd_utilities=>get_otr_text_by_alias( alias = 'HISTORIC' ).
          lr_col_header->set_text( lv_title ).
          CLEAR lv_title.
    I suggest you to put this code in some method called over the method WDDOMODIFYVIEW.
    Regards.

  • Nested Jars

    I am currently attempting to access a jar file (child.jar) embedded within another jar file (parent.jar). Any jar files being used are all signed with the same signature. When I try execute I get a "ClassNotFoundException". All classes are archived in child.jar. The file child.jar is embedded within parent.jar and parent.jar is signed which creates sParent.jar. I do not know the correct syntax to use two archives in the html file. I am looking into nested jars to avoid multiple security warnings when signing multiple jars (multiple warnings occur even when all jars are signed with the same signature). But signing the parent.jar file, there will only be one security warning. Is accessing nested jar files possible? If not, is there an effective alternative?
    Thanks,
    rjtrues

    No, accessing jars inside jars is not possible. So any alternative would be "effective". Your comment about "the html file" implies that you might be asking about an applet, and I don't know the syntax for that either. But I'm sure documentation for that exists.

  • My itouch battery got low.  recharged from usb adaptor wall socket.  when I connect to home desktop both itouch and itunes give alternating beep warnings.  i've tried powering down multiple times

    my itouch battery got low.  recharged from usb adaptor wall socket.  when I connect to home desktop both itouch and itunes give alternating beep warnings.  i've tried powering down multiple times

    my itouch battery got low.  recharged from usb adaptor wall socket.  when I connect to home desktop both itouch and itunes give alternating beep warnings.  i've tried powering down multiple times

  • Multiple 20% Battery Warnings -bad battery?

    Lately i have been getting half a dozen or more 20% battery warnings per charge on my 4th generation iPod Touch. Anyone else running into this? I'm guessing the battery might be going bad. It's around 6 months old, and I don't see this behavior on my iPad, or the wife's iPhone.
    I've tried draining the battery completely and fully recharging to try and calibrate the battery, but it continues to happen. It's quite annoying. Suggestions?

    Batteries tend to do that sort of thing. Ever try and start a car with a dying car battery? Giving the battery a rest tends to helpbring some power back. But the symptom I'm having is during continuous use. I'll get the warning multiple times within a short period. I'll notice the battery bar will be red after the alert, but a minute later be back green. Like the battery is operating slightly below the voltage it should be.

  • Multiple warnings

    In FlexBuilder 2 I'm getting multiple warinings, and even
    though I fix the
    problems, I just get one less warning. For instance:
    for this:
    private function getList():void {
    I'm getting 3 warnings:
    1008: return value for function 'getList' has no type
    declaration.
    1008: return value for function 'getList' has no type
    declaration.
    1008: return value for function 'getList' has no type
    declaration.
    Not sure what's going on. I've got 100 warnings and I can't
    get rid of
    them. I'd like to send the file to a prospective employer,
    but I'd hate for
    it to show 100 warnings when he opens it up and compiles it.

    You will get a warning/error line each time a problem gets
    hit. Often, a class is used many times in an app.
    But the real answer is that you should actually fix the
    problem. What is the problem doing that?
    The example you post is very easy to fix.
    Tracy

  • Why do I get "Storage almost full" warnings with multiple Gb free?

    I have a 32Gb iPad Mini (running latest OS updates and all current apps), and keep getting "Storage Almost Full" warnings, even when I have 3, 4 or 5Gb free space (according to desktop sync)?

    About all I use it for when I get these errors  is reading a book. No apps are running other than iBooks. I happens before and after a power-off.
    I'm going to see if I can hunt down a good memory reporting app to see if I can find out what's going on...
    Steve

  • Multiple Certificate Expiry Warnings

    Hi there. 
    Server keeps emailing me 35 times about a "fallback SSL certificate".  I've actually renewed it (it's pretty much useless because it's self-signed), yet it keeps emailing me even though it's renewed. 
    Smells like an email issue.  It's done this 3 times now, twice in one day after a restart. 
    Also, screen sharing to that machine has stopped working.  I'll have to attach a monitor and see what's up. 
    Anybody also see this?
    Cheers

    LOL Hi Dana.  I'm back, with the same old problem.
    If you are getting the same, let me know.  This is how you fix them:
    This is caused by old certs that clung to devices.  Even though it’s turned off, the warnings still come through.
    Go to Server.app/Server name (at top, left side)/Settings
    Turn on “Enable Apple push notifications” and Edit them.
    Renew the Certs
    Turn off “Enable Apple push notifications”
    Quit Server.app

  • Multiple "FAILED UPDATES" warnings for CS5 Design Premium

    I am not good at forums and hope this is the right place. If not, please someone guide me because I need help.
    I have gotten a failed update warning many times on my Win7 Ultimate machine after trying to do a maintenance update on my CS5 Design Premium. Does anyone know what to do? With all due respect I was angered to learn from Prakesh via chat support that I had to turn to the forums for help with a software update issue!! I thought forums were for learning how to use features of the software, not what I would consider a software technical issue. Is this common with ADOBE?
    I also have CS6 Production Premium but haven't encountered any update issues with it.......yet.
    ANY help would be greatly appreciated. I spent THOUSANDS of dollars on these 2 packages and can't believe I can't make a call to ADOBE!

    update manually, http://www.adobe.com/downloads/updates/

  • Multiple plugtmp-1 plugtmp-2 etc. in local\temp folder stay , crossdomain.xml and other files containing visited websitenames created while private browsing

    OS = Windows 7
    When I visit a site like youtube whith private browsing enabled and with the add-on named "shockwave flash" in firefox add-on list installed and activate the flashplayer by going to a video the following files are created in the folder C:\Users\MyUserName\AppData\Local\Temp\plugtmp-1
    plugin-crossdomain.xml
    plugin-strings-nl_NL-vflLqJ7vu.xlb
    The contents of plugin-crossdomain contain both the "youtube.com" adress as "s.ytimg.com" and is as follows:
    <?xml version="1.0"?>
    <!DOCTYPE cross-domain-policy SYSTEM "http://www.macromedia.com/xml/dtds/cross-domain-policy.dtd">
    -<cross-domain-policy> <allow-access-from domain="s.ytimg.com"/> <allow-access-from domain="*.youtube.com"/> </cross-domain-policy>
    The contents of the other file I will spare you cause I think those are less common when I visit other sites but I certainly don't trust the file. The crossdomain.xml I see when I visit most other flashpayer sites as well.
    I've also noticed multiple plugin-crossdomain-1.xml and onwards in numbers, I just clicked a youtube video to test, got 6 of them in my temp plus a file named "plugin-read2" (no more NL file cause I changed my country, don't know how youtube knows where I'm from, but that's another subject, don't like that either). I just noticed one with a different code:
    <?xml version="1.0"?>
    -<cross-domain-policy> <allow-access-from domain="*"/> </cross-domain-policy>
    So I guess this one comprimises my browsing history a bit less since it doesn't contain a webadress. If these files are even meant to be deposited in my local\temp folder. The bigger problem occurs when they stay there even after using private browsing, after clearing history, after clearing internet temporary files, cache, whatever you can think of. Which they do in my case, got more than 50 plugtmp-# folders in the previous mentioned local\temp folder containing all website names I visited in the last months. There are a variety of files in them, mostly ASP and XML, some just say file. I have yet to witness such a duplicate folder creation since I started checking my temp (perhaps when firefox crashes? I'd say I've had about 50 crashes in recent months).
    I started checking my temp because of the following Microsoft Security Essential warnings I received on 23-4-12:
    Exploit:Java/CVE-2010-0840.HE
    containerfile:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp
    file:C:\Users\Username\AppData\Local\Temp\jar_cache2196625541034777730.tmp->pong/reversi.class
    and...
    Exploit:Java/CVE-2008-5353.ZT
    containerfile:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp
    file:C:\Users\Noname\AppData\Local\Temp\jar_cache1028270176376464057.tmp->Testability.class
    Microsoft Security Essentials informed me that these files were quarantained and deleted but when going to my temp file they were still there, I deleted them manually and began the great quest of finding out what the multiple gigabytes of other files and folders were doing in that temp folder and not being deleted with the usual clearing options within firefox (and IE).
    Note that I have set my adobe flasplayer settings to the most private intense I could think of while doing these tests (don't allow data storage for all websites, disable peer-to peer stuff, don't remember exactly anymore, etc.). I found it highly suspicious that i needed to change these settings online on an adobe website, is that correct? When right-clicking a video only limited privacy options are available which is why I tried the website thing.
    After the inital discovery of the java exploit (which was discovered by MSE shortly after I installed and started my first scan with Malwarebytes, which in turn made me suspicious whether I had even downloaded the right malwarebytes, but no indication in the filename if I google it). Malwarebytes found nothing, MSE found nothing after it said it removed the files, yet it didn't remove them, manually scanning these jar_cache files with both malwarevytes and MSE resulted in nothing. Just to be sure, I deleted them anyways like I said earlier. No new jar_cache files have been created, no exploits detected since then. CCleaner has cleaned most of my temp folder, I did the rest, am blocking all cookies (except for now shortly), noscript add-on has been running a while on my firefox (V 3.6.26) to block most javascripts except from sites like youtube. I've had almost the same problem using similar manual solutions a couple of months ago, and a couple of months before that (clearing all the multiple tmp folders, removing or renaming jar_cache manually, running various antmalware software, full scan not finding a thing afterwards, installing extra add-ons to increase my security, this time it's BetterPrivacy which I found through a mozilla firefox https connection, I hope, which showed me nicely how adobe flash was still storing LSO's even after setting all storage settings to 0 kb and such on the adobe website, enabling private browsing in firefox crushed those little trolls, but still plugtmp trolls are being created, help me crush them please, they confuse me when I'm looking for a real threat but I still want to use flash, IE doesn't need those folders and files, or does it store them somewhere else?).
    I'm sorry for the long story and many questions, hope it doesn't scare you away from helping me fight this. I suspect it's people wanting to belong to the hackergroup Anonymous who are doing this to my system and repeating their tricks (or the virus is still there, but I've done many antivirus scans with different programs so no need to suggest that option to me, they don't find it or I run into it after a while again, so far, have not seen jar_cache show up). Obviously, you may focus on the questions pertaining firefox and plugtmp folders, but if you can help me with any information regarding those exploits I would be extremely grateful, I've read alot but there isn't much specific information for checking where it comes from when all the anti-virus scanners don't detect anything anymore and don't block it incoming. I also have downloaded and installed process monitor but it crashes when I try to run it. The first time I tried to run it it lasted the longest, now it crashes after a few seconds, I just saw the number of events run up to almost a million and lots of cpu usage. When it crashed everything returned back to normal, or at least that's what I'm supposed to think I guess. I'll follow up on that one on their forum, but you can tell me if the program is ligit or not (it has a microsoft digital signature, or the name micosoft is used in that signature).

    update:
    I haven't upgraded my firefox yet because of a "TVU Web Player" plugin that isn't supported in the new firefox and I'm using it occasionally, couldn't find an upgrade for it. Most of my other plugins are upgraded in the green (according to mozilla websitechecker):
    Java(TM) Platform SE 6 U31 (green)
    Shockwave for Director (green - from Adobe I think)
    Shockwave Flash (green - why do I even need 2 of these adobe add-ons? can I remove one? I removed everything else i could find except the reader i think, I found AdobeARM and Adobe Acrobat several versions, very confusing with names constantly switching around)
    Java Deployment Toolkit 6.0.310.5 (green, grrr, again a second java, why do they do this stuff, to annoy people who are plagued with java and flash exploits? make it more complicating?)
    Adobe Acrobat (green, great, it's still there, well I guess this is the reader then)
    TVU Web Player for FireFox (grey - mentioned it already)
    Silverlight Plug-In (yellow - hardly use it, I think, unless it's automatic without my knowing, perhaps I watched one stream with it once, I'd like to remove it, but just in case I need it, don't remember why I didn't update, perhaps a conflict, perhaps because I don't use it, or it didn't report a threat like java and doesn't create unwantend and history compromising temp files)
    Google Update (grey - can I remove? what will i lose? don't remember installing it, and if I didn't, why didn't firefox block it?)
    Veetle TV Core (grey)
    Veetle TV Player (grey - using this for watching streams on veetle.com, probably needs the Core, deleted the broadcaster that was there earlier, never chose to install that, can't firefox regulate that when installing different components? or did i just miss that option and assumed I needed when I was installing veetle add-on?)
    Well, that's the list i get when checking on your site, when i use my own browseroptions to check add-ons I get a slightly different and longer list including a few I have already turned off (which also doesn't seem very secure to me, what's the point in using your site then for anything other than updates?), here are the differences in MY list:
    I can see 2 versions of Java(TM) Platform SE 6 U31, (thanks firefox for not being able to copy-paste this)
    one "Classic Java plug-in for Netscape and Mozilla"
    the other is "next generation plug-in for Mozilla browsers".
    I think I'll just turn off the Netscape and Mozilla one, don't trust it, why would I need 2? There I did it, no crashes, screw java :P
    There's also a Mozilla Default plugin listed there, why does firefox list it there without any further information whether I need it or not or whether it really originates from Mozilla firefox? It doesn't even show up when I use your website plugin checker, so is there no easy way by watching this list for me to determin I can skip worrying about it?
    There's also some old ones that I recently deactivated still listed like windows live photo gallery, never remember adding that one either or needing it for anything and as usual, right-clicking and "visit homepage" is greyed out, just as it is for the many java crap add-ons I encountered so far.
    Doing a quick check, the only homepage I can visit is the veetle one. The rest are greyed out. I also have several "Java Console" in my extentions tab, I deactivated all but the one with the highest number. Still no Java Console visible though, even after going to start/search "java", clicking java file and changing the settings there to "show" console instead of "hide" (can't remember exact details).
    There's some other extentions from noscript, TVU webplayer again, ADblock Plus and now also BetterPrivacy (sidenote, a default.LSO remains after cleanup correct? How do I know that one isn't doing anything nasty if it's code has been changed or is being changed? To prevent other LSO's I need to use both private browsing and change all kinds of restrictions online for adobe flashplayer, can anyone say absurd!!! if you think you're infected and want to improve your security? Sorry that rant was against Adobe, but it's really against Anonymous, no offense).

  • If FF is set to "Never Remember History" and I try to close it with multiple tabs open, it doesn't warn me first. If it remembers history, it warns me about closing multiple tabs. I want that warning AND Don't Remember History back again!

    At work I set my PC to not remember history for privacy reasons.
    I always have many tabs open, and the warning about closing multiple tabs was a good thing - but now it only works if it remembers history!
    I have the "Warn me when closing...." box checked AND all of the lines in about:config regarding these warnings are set to true. I have tried turning it off and back on, restarted the PC.
    I discovered this yesterday with FF 3.something, tried updating to FF4.

    The "Use custom settings for history" selection allows to see the current history and cookie settings, but selecting this doesn't make any changes to history and cookie settings.
    Firefox shows "Use custom settings for history" as an indication that at least one of the history and cookie settings is not the default to make you aware that changes were made.
    If all History settings are default then the custom settings are hidden and you see "Firefox will: (Never) Remember History".
    "Never Remember History" means that Private Browsing is active and "Always use private browsing mode" gets a checkmark.
    You need to remove the checkmark on "Always use private browsing mode" to leave Private Browsing mode or chose the "Remember History" setting.
    *https://support.mozilla.org/kb/Private+Browsing

  • Issue with hierarchy node variable and multiple SAP hierarchies

    Hello experts,
    We are currently facing an issue when using two SAP hierarchies in Web Intelligence and one of them is restricted with a hierarchy node variable.
    The systems we use are a SAP BI 7.01 (SPS 05) and a Business Objects Enterprise XI R3.1 SP2 (fix pack 2.3). I want also to point out that the fix pack 2.3 has been applied to all BOE related components: the SAP integration Kit, client tools, and enterprise (server and client).
    The universe used in our scenario is based on a BEX Query with two hierarchies (non-time dependent hierarchies, intervals allowed) loaded on their corresponding characteristics. One of these characteristics is restricted with a hierarchy node variable (manual input, optional, ready for input, multiple single values allowed). 
    Prerequisites for replicating the problem:
    1)     When building the web intelligence query select several levels from both hierarchies (they have seven levels each) and    the   only amount of the InfoCube that the BEX query (that was used to create our universe) relies on.
    2)     In the hierarchy node variable prompt select a hierarchy node entry (not an actual InfoObject value that exists as transactional data in the InfoCube )
    By executing the query built above, all characteristics are returned null (no value) and the key figure with value u201C0u201D. No error messages, no partial results warnings.  Now if we go back to u201CEdit queryu201D and select levels of only one of any of the two hierarchies the query runs normally (by selecting the exact same value for the hierarchy node variable prompt).
    Any ideas on the matter?
    Regards,
    Giorgos

    Hi,
    Have you ever got a solution for this problem?
    I have a similar one.
    Thanks,
    regards, Heike

Maybe you are looking for