Performance and security trade-off

h1. Scenario
When I run my code without implementing security its performance decreases from 40% to 70% .
My goals is to decide: do I really need any trade-off (speed vs security)? in either case I must provide arguments
Any kind of advice will be appreciated. I just need professional's view about the above scenario
Thank you

Hey Aasem,
As such, there is no thumb-rule for this trade off concept. It all depends on the type of database and its security. It may happen that you have to secure the data more than the performance; e.g. banking, insurance, stock market secotrs. In these sectors, the on-line transactions are required, but the data security is more important than the performance. So, here you may have to cmpromise with the performance.
But if you take an example of an live score of a cricket match, then the data security is not that much important rather the performance counts more. so, here you can compromise the security of the data with the database performance.
But, my point is that as a dba, you have to always consider the security of the data more than the performance. And the calculation what you are talking of is not of a fixed manner. It varies as per the requirement and need. And there is no thumb rule for this. It is only your experience which will help you to find out the measurement of everything what you are asking for.
Thanks and Regards,
MSORA

Similar Messages

  • Is there a way to view Flash videos on my iMac without downloading Adobe Flash Player? I'm concerned about performance and security with Flash Player.

    Is there a way to view Flash videos on my iMac without downloading Adobe Flash Player? I'm concerned about performance and security with Adobe Flash Player.

    If the video is only available in a format that requires Flash player : then no.
    However, a great many can also be viewed in an HTML5 version, in which case http://hoyois.github.io/safariextensions/clicktoplugin/ or similar can be set up so that Flash never runs unless you specifically choose it to.

  • SQL Performance and Security

    Help needed here please. I am new to this concept and i am working on a tutorial based on SQL performance and security. I have worked my head round this but now i am stuck.
    Here is the questions:
    1. Analyse possible performance problems, and suggest solutions for each of the following transactions against the database
    a) A manager of a project needs to inspect total planned and actual hours spent on a project broken down by activity.
    e.g     
    Project: xxxxxxxxxxxxxx
    Activity Code          planned     actual (to date)
         1          20          25
         2          30          30
         3          40          24
    Total               300          200
    Note that actual time spent on an activity must be calculated from the WORK UNIT table.
    b)On several lists (e.g. list or combo boxes) in the on-line system it is necessary to identify completed, current, or future projects.
    2. Security: Justify and implement solutions at the server that meet the following security requirements
    (i)Only members of the Corporate Strategy Department (which is an organisation unit) should be able to enter, update and delete data in the project table. All users should be able to read this information.
    (ii)Employees should only be able to read information from the project table (excluding the budget) for projects they are assigned to.
    (iii)Only the manager of a project should be able to update (insert, update, delete) any non-key information in the project table relating to that project.
    Here is the project tables
    set echo on
    * Changes
    * 4.10.00
    * manager of employee on a project included in the employee on project table
    * activity table now has compound key, based on ID dependence between project
    * and activity
    drop table org_unit cascade constraints;
    drop table project cascade constraints;
    drop table employee cascade constraints;
    drop table employee_on_project cascade constraints;
    drop table employee_on_activity cascade constraints;
    drop table activity cascade constraints;
    drop table activity_order cascade constraints;
    drop table work_unit cascade constraints;
    * org_unit
    * type - for example in lmu might be FACULTY, or SCHOOL
    CREATE TABLE org_unit
    ou_id               NUMBER(4)      CONSTRAINT ou_pk PRIMARY KEY,
    ou_name          VARCHAR2(40)     CONSTRAINT ou_name_uq UNIQUE
                             CONSTRAINT ou_name_nn NOT NULL,
    ou_type          VARCHAR2(30) CONSTRAINT ou_type_nn NOT NULL,
    ou_parent_org_id     NUMBER(4)     CONSTRAINT ou_parent_org_unit_fk
                             REFERENCES org_unit
    * project
    CREATE TABLE project
    proj_id          NUMBER(5)     CONSTRAINT project_pk PRIMARY KEY,
    proj_name          VARCHAR2(40)     CONSTRAINT proj_name_uq UNIQUE
                             CONSTRAINT proj_name_nn NOT NULL,
    proj_budget          NUMBER(8,2)     CONSTRAINT proj_budget_nn NOT NULL,
    proj_ou_id          NUMBER(4)     CONSTRAINT proj_ou_fk REFERENCES org_unit,
    proj_planned_start_dt     DATE,
    proj_planned_finish_dt DATE,
    proj_actual_start_dt DATE
    * employee
    CREATE TABLE employee
    emp_id               NUMBER(6)     CONSTRAINT emp_pk PRIMARY KEY,
    emp_name          VARCHAR2(40)     CONSTRAINT emp_name_nn NOT NULL,
    emp_hiredate          DATE          CONSTRAINT emp_hiredate_nn NOT NULL,
    ou_id               NUMBER(4)      CONSTRAINT emp_ou_fk REFERENCES org_unit
    * activity
    * note each activity is associated with a project
    * act_type is the type of the activity, for example ANALYSIS, DESIGN, BUILD,
    * USER ACCEPTANCE TESTING ...
    * each activity has a people budget , in other words an amount to spend on
    * wages
    CREATE TABLE activity
    act_id               NUMBER(6),
    act_proj_id          NUMBER(5)     CONSTRAINT act_proj_fk REFERENCES project
                             CONSTRAINT act_proj_id_nn NOT NULL,
    act_name          VARCHAR2(40)     CONSTRAINT act_name_nn NOT NULL,
    act_type          VARCHAR2(30)     CONSTRAINT act_type_nn NOT NULL,
    act_planned_start_dt     DATE,
    act_actual_start_dt      DATE,
    act_planned_end_dt     DATE,
    act_actual_end_dt     DATE,
    act_planned_hours     number(6)     CONSTRAINT act_planned_hours_nn NOT NULL,
    act_people_budget     NUMBER(8,2)      CONSTRAINT act_people_budget_nn NOT NULL,
    CONSTRAINT act_pk PRIMARY KEY (act_id, act_proj_id)
    * employee on project
    * when an employee is assigned to a project, an hourly rate is set
    * remember that the persons manager depends on the project they are on
    * the implication being that the manager needs to be assigned to the project
    * before the 'managed'
    CREATE TABLE employee_on_project
    ep_emp_id          NUMBER(6)     CONSTRAINT ep_emp_fk REFERENCES employee,
    ep_proj_id          NUMBER(5)     CONSTRAINT ep_proj_fk REFERENCES project,
    ep_hourly_rate      NUMBER(5,2)      CONSTRAINT ep_hourly_rate_nn NOT NULL,
    ep_mgr_emp_id          NUMBER(6),
    CONSTRAINT ep_pk PRIMARY KEY(ep_emp_id, ep_proj_id),
    CONSTRAINT ep_mgr_fk FOREIGN KEY (ep_mgr_emp_id, ep_proj_id) REFERENCES employee_on_project
    * employee on activity
    * type - for example in lmu might be FACULTY, or SCHOOL
    CREATE TABLE employee_on_activity
    ea_emp_id          NUMBER(6),
    ea_proj_id          NUMBER(5),
    ea_act_id          NUMBER(6),      
    ea_planned_hours      NUMBER(3)     CONSTRAINT ea_planned_hours_nn NOT NULL,
    CONSTRAINT ea_pk PRIMARY KEY(ea_emp_id, ea_proj_id, ea_act_id),
    CONSTRAINT ea_act_fk FOREIGN KEY (ea_act_id, ea_proj_id) REFERENCES activity ,
    CONSTRAINT ea_ep_fk FOREIGN KEY (ea_emp_id, ea_proj_id) REFERENCES employee_on_project
    * activity order
    * only need a prior activity. If activity A is followed by activity B then
    (B is the prior activity of A)
    CREATE TABLE activity_order
    ao_act_id          NUMBER(6),      
    ao_proj_id          NUMBER(5),
    ao_prior_act_id      NUMBER(6),
    CONSTRAINT ao_pk PRIMARY KEY (ao_act_id, ao_prior_act_id, ao_proj_id),
    CONSTRAINT ao_act_fk FOREIGN KEY (ao_act_id, ao_proj_id) REFERENCES activity (act_id, act_proj_id),
    CONSTRAINT ao_prior_act_fk FOREIGN KEY (ao_prior_act_id, ao_proj_id) REFERENCES activity (act_id, act_proj_id)
    * work unit
    * remember that DATE includes time
    CREATE TABLE work_unit
    wu_emp_id          NUMBER(5),
    wu_act_id          NUMBER(6),
    wu_proj_id          NUMBER(5),
    wu_start_dt          DATE CONSTRAINT wu_start_dt_nn NOT NULL,
    wu_end_dt          DATE CONSTRAINT wu_end_dt_nn NOT NULL,
    CONSTRAINT wu_pk PRIMARY KEY (wu_emp_id, wu_proj_id, wu_act_id, wu_start_dt),
    CONSTRAINT wu_ea_fk FOREIGN KEY (wu_emp_id, wu_proj_id, wu_act_id)
              REFERENCES employee_on_activity( ea_emp_id, ea_proj_id, ea_act_id)
    /* enter data */
    start ouins
    start empins
    start projins
    start actins
    start aoins
    start epins
    start eains
    start wuins
    start pmselect
    I have the tables containing ouins and the rest. email me on [email protected] if you want to have a look at the tables.

    Answer to your 2nd question is easy. Create database roles for the various groups of people who are allowed to access or perform various DML actions.
    The assign the various users to these groups. The users will be restricted to what the roles are restricted to.
    Look up roles if you are not familiar with it.

  • Firm Zone and Trade off Zone in Scheduling Agreement

    Dear All
    Please explain in detailed the concept of Firm Zone and Trade off Zone in Scheduling Agreement, and it's effects in MRP run, i.e. If i take a MRP run for a material whci is having firm zone as 30 days and trade off zone as 60 days then what will be the result of MRP. The Material MRP type is VB
    Thanks and Regards
    Manoj

    Hi,
    Firm zone is the time frame in which you cannot change your orders (schedule lines) that you have ordered from a vendor in any way (Date change nor quantity change).
    Trade off zone is time frame within which you can make changes to your procurement proposals, these changes are acceptable from vendor's side.
    These time frames are agreed with the Vendor and then inserted for each scheduling agreement in 'Additional data'.
    For your example if you take firm zone 30 days and trade-off zone 60 days, the check starts from current day on which MRP runs. For exampe current day is 1st Oct, all the procurement proposals with delivery date within 30 days that is till 1st September are firm orders, which MRP will not change in any case (You can find such orders with * in front of them in MD04 list). Beyond 1st september they are in trade off zone, in which MRP can modify them.
    MRP types (VB in your case) have no correlation with these zones.
    Amit G

  • Some thoughts on trade-offs between usability and user-friendliness

    I use Awesome as a window manager over LXDE. Recently, a friend of mine tried to use my laptop. The experience frustrated him somewhat--he managed to start the browser through the menu shortcut, but it opened out of sight under the "web" tag. Once he realized where it had gone (tags are clickable in Awesome), he had already managed to start several instances of it. Naturally, he tried to close them--first looking for the close window button which is not there, since I dont use title bars, and then trying alt+F4 to no avail (the default key command for closing a window in Awesome is super+shift+c). In desperation, he finally launched the terminal and used xkill to get rid of the redundant Chromium sessions.
    The whole thing got me thinking. I find my system very usable--as I guess most of us Linux nerds do, as our systems are do-it-yourself projects to such a large degree. However, it is not exactly user-friendly. At the same time, I can navigate my confused friend's system quite well since he uses Gnome--a system that adheres more to the common desktop metaphor of e.g. Windows or OS X. However, I doubt I would be able to get around very well in some of the more minimalist *box setups so popular among Arch users (though, admittedly, it is probably easier to get the hang of a mouse-centered desktop than one that focuses on keyboard shortcuts). What I find interesting is that there is clearly a trade-off. If I was to build a system for more people than just me, I would probably go with Gnome, but I would not find it as usable as my current system.
    Which brings me to my questions. Do others here share that experience? How do you go about managing it--different default sessions for different accounts, or a compromise that is more user friendly but less usable to you personally? Or do you force people to relearn and adapt to your preferred way of doing things (which might sound worse than it is--after all, if my way makes more sense once people adjust to it, then why not)?
    Last edited by caligo (2010-03-12 09:53:01)

    lolilolicon wrote:
    mythus wrote:
    While I understand your point, I have to fundamentally disagree with your subject. Having memory issues does not make someone brainless, and I overtly object to such. It would be just as bad as me saying people who think user friendly is for brainless creatures with no memory are elitist pigs *shrugs*.
    Case in point, myself. I have memory issues. I didn't always have memory issues, having used to have a very sharp memory. But hey, getting hit by semi-trucks and having your head go through a windshield does some nasty things to your brain functions. Does me now having problems with remembering certain things  all the sudden make me brainless? I sure don't think so, being that I am still able to think, process equations and goals, as well as teach myself new things and relearn forgotten things on a daily basis. It is just that most stuff I have to write down or print out and have in a huge binder in front of me at all times now. Having memory issues simply caused me to have to adjust to how I do things, not make me into a brainless creature. In fact it was after my accident that I came to try and use linux, and while I do have a certain need of the mouse at times, I also have my printed out shortcuts here at my disposal.
    The lesson here, be careful of adding insults to posts when trying to make a point. Without that insult I could have easily agreed with your point.
    I'm really sorry if it came out like that, I didn't mean that. My point was not at all about memory you know. I forget things too, and it happens often, and I'd curse myself if it were really bad.
    I respect men like you. You managed to learn linux (and it was arch! ++), and resolve your issues, e.g. even you do forget sometimes your shortcuts, you still have your memory of them on the paper, plus backups of it. This is nothing like "brainless creators". What I meant by that was more about the lazy people who never know what they have.
    I brought my mood to somewhere extreme, because I was feeling again the reasons why I switched to linux. It was the moment I decided I had been a lazy pig who had hated his computer but never had done anything about it.
    s/it's for the brainless creatures who've got no memory/it's for the button lovers ;P/
    Sorry mythus, I wish you all the best.
    Thank you for your apology.
    As I said earlier, I do agree with most of your points, it was just that one glaring sentence at the beginning which took on a role as the subject of your post, which I disagreed with. I do agree that the modern day idea of user-friendliness is for lazy people who don't wish to learn how to use a computer and simply want their computer to know what he/she wants to do and do it without any real input from them.  Having to use all ten fingers versus one to two fingers is where that all boils down to. Just imagine having to actually sit up and make full use of both of your hands to use your computer instead of lean back in a recliner and rest your hand on a small plastic device, barely having to flinch your wrist and move your index finger. That is really where IMO the "User Friendly" systems of today are targeted. In reality, they aren't user friendly at all, but lazy friendly. Truly, I am still waiting for them to invent a mind reading device or a device that monitors your line of vision so that if you say.. look at the upper right side of a window it will close it for you, or if you open your eyes real big, it will full screen the window for you. *sarcasm intended*
    For a system to be user friendly it has to be completely usable to it's principal user with little or no complications. The user should be able to do his or her work and other computer related activities without confusion and/or delay. Unfortunately, no two users are alike so the method that fits them best wouldn't work for everyone. However what does seem to work for the majority isn't necessarily a user friendly system, but a lazy friendly system that is familiar after generations of being presented the same UI.
    It is also because of the lazy-friendly needs of a O/S so that it can be accepted by the largest amount of consumers possible (after all, it is all about money) that advancements and changes to the UI are sure to never come. At least from a corporation.... So you will always be faced with having to decide if you want your computer lazy-friendly and familiar for your friends/family, or user friendly for yourself.
    BTW- I do not think that the mouse is a bad tool. It is a highly useful tool. It just should not be treated as a keyboard.

  • Iso5 download error, network timed out, how do i stop this, all of my firewalls and security on my pc are currently swiched off but this still didnt help

    iso5 download error, network timed out, how do i stop this, all of my firewalls and security on my pc are currently swiched off but this still didnt help>
    trid multiple times over the last few weeks, after waiting 45 minutes for the download to comlete the network times out whilst processing the download

    The router is in your house.
    In a nutshell, a modem communicates with the Internet and brings a single communications link to your house,  The router takes that single link and divides it up among many links, both wired and wireless, to support many devices in your house.  The router and the modem may be separate physical boxes or, more commonly, they're in the same enclosure.
    Unfortunately, if there is a firewall in the router, you will need help.  I don't think that it's a good idea to try to walk you through it via the forum.  You should contact the router supplier and have them walk you through the investigation.

  • I tried to buy a song on my account, and it told me I need to answer my security questions, and I don't remember them, and it ******* me off, because this is seriously so dumb man

    I tried to buy a song on my account, and it told me I need to answer my security questions, and I don't remember them, and it ******* me off, because this is seriously so dumb man

    Summer7633 wrote:
    I tried to buy a song on my account, and it told me I need to answer my security questions, ...
    1)  Apple ID: All about Apple ID security questions
    If necessary...
    2)  See Here... ask to speak with the Account Security Team...
    Apple ID: Contacting Apple for help with Apple ID account security
    3)  Or Email Here  >  Apple  Support  iTunes Store  Contact

  • Trade-off between the one-arm and two-arm WAE designs

    We are configuring a WAE (model 512) for a branch office and I was wondering if someone could please tell me the trade-off between the one-arm and two-arm WAE designs..
    thanks..
    greg..

    if you are using WCCP then the WAE becomes the client withing the servcie groups 61, 62. In order to accelerate both vlans then apply the ip redirect 61 in on the client vlan ineterfaces to the one interface.
    If inline, you can use both 2 port groups for each client interface or trunk all to a single inetrface and configure which vlans you would like to accelerate.
    Now in terms of of using both GE inetrfaces, I would have to check. A topology diagram would help

  • Can't access the web but can screen share and secure shell on my network???

    Hi,
    I don't know if this is relevant, but I installed a security patch along with a safari patch the other day and the next morning, I could not access the internet, however I can do things like screen share and ssh. I cannot however view internal websites on my network, whether I'm connected via airport or ethernet cable (attached to either time capsule or the modem directly). Whenever I try to go to a website in either firefox or Safari, I get a message saying I'm not connected to the internet and a "Network Diagnostics" button (which says it cannot fix my problem). Here is what I've tried:
    -Repair Disk (everything OK)
    -Repair Permissions
    -Restart computer
    -Turn Airport card off then on
    -Restart modem and routers, one by one in daisy chain order (and then restarted computer)
    -Tried different browsers
    -Tried connecting directly to modem via Ethernet cable in addition to wireless
    -Restored the System from a time-capsule backup from Sept. 6th (noticed the problem on the 10th)
    -Turned off my firewall
    -Created a new user account and tried it
    -Let my computer remain off for a half hour
    -Zapped the p-ram
    Here's what I've confirmed I CAN'T do:
    -Access the web via either Safari or firefox (haven't tried any other browsers)
    -Access the Software Update Server
    -My iCal calendars cannot access the webdav server
    Surprisingly, here's what I've confirmed I CAN do:
    -Ping other computers on my network
    -Use the Screen Sharing App. with computers on my network
    -Access the internet from every other computer on my network (4 of them)
    -ssh to other computers on my network
    I've been using my computer infrequently lately, and I'm not sure when the last time was I accessed the internet or for that matter when I performed the security patching, but I'm pretty sure it was within the last week and a half. I really don't want to try restoring from an earlier backup, but I'm reaching the end of my rope. Anyone have any other ideas? I'm fresh out.
    Rob

    The problem was either the Security Patch 2010-005 or the Safari update (though I don't have the version number in front of me). Note, I had ignored the iTunes 10 update. I assume that I must have miscalculated the date I performed the updates because the problem persisted after restore from a Sept. 6th backup off my time capsule.
    I went to the Apple Store and they were able to restore full internet access by performing a 10.5.8 combo-update. When we ran Software Update at the Apple Store, the 3 updates were again there available for download, but I am going to ignore them all because of this issue. The people at the apple store agreed that it was the update which caused the problem.
    Rob

  • Performance and Stability Problem with PE9

    I just upgraded my computer to a Core i5 with 8G of memory and everything is running much faster.  But my NEW PE9 just run very slow.  Some of the simple tasks take 10-30 second to complete.  Even Windows 7 will often come out to ask if I want to wait for PE9 to wake up or kill the process.  When I want to change the size of a video clip, it just doesn't work at all due to performance.  It will take PE9 20-30 seconds to resize the video clip.  Without some realtime feedback of the size, it is impossible to do the resizing and this is a very fundamental operation.  PE9 often crash or seize up as well, I didn't have any of these problem with PE3.0.  I upgraded to PE9 simply because my PE3.0 for WIndows XP is not comletely compatible with Windows 7 (some of the text displace does not show up).
    Do anyone else have issue with performance and stability?

    Some general comments, and reading (some for PPro, but concepts are the same)
    http://forums.adobe.com/thread/416679
    Some specific information that is needed...
    Brand/Model Computer (or Brand/Model Motherboard if self-built)
    How much system memory you have installed, such as 2Gig or ???
    Operating System version, such as Win7 64bit Pro... or whatevevr
    -including your security settings, such as are YOU the Administrator
    -and have you tried to RIGHT click the program Icon and then select
    -the Run as Administrator option (for Windows, not sure about Mac)
    Your Firewall settings and brand of anti-virus are you running
    Brand/Model graphics card, sush as ATI "xxxx" or nVidia "xxxx"
    -or the brand/model graphics chip if on the motherboard
    -and the exact driver version for the above graphics card/chip
    -and how much video memory you have on your graphics card
    Brand/Model sound card, or sound "chip" name on Motherboard
    -and the exact driver version for the above sound card/chip
    Size(s) and configuration of your hard drive(s)... example below
    -and how much FREE space is available on each drive (in Windows
    -you RIGHT click the drive letter while using Windows Explorer
    -and then select the Properties option to see used/free space)
    While in Properties, be sure you have drive indexing set OFF
    -for the drive, and for all directories, to improve performance
    My 3 hard drives are configured as... (WD = Western Digital)
    1 - 320G WD Win7 64bit Pro and all programs
    2 - 320G WD Win7 swap file and video projects
    3 - 1T WD all video files... read and write
    Make sure you have the default Windows hard drive indexing set to OFF for all hard drives and folders
    Some/Much of the above are available by going to the Windows
    Control Panel and then the Hardware option (Win7 option name)
    OR Control Panel--System--Hardware Tab--Device Manager for WinXP
    Plus Video-Specific Information http://forums.adobe.com/thread/459220?tstart=0
    And, finally, the EXACT type and size of file that is causing you problems
    -for pictures, that includes the camera used and the pixel dimensions
    Read Bill Hunt on a file type as WRAPPER http://forums.adobe.com/thread/440037?tstart=0
    What is a CODEC... a Primer http://forums.adobe.com/thread/546811?tstart=0
    What CODEC is INSIDE that file? http://forums.adobe.com/thread/440037?tstart=0
    For PC http://www.headbands.com/gspot/ or http://mediainfo.sourceforge.net/en
    This is aimed at Premiere Pro, but may help
    Work through all of the steps (ideas) listed at http://forums.adobe.com/thread/459220?tstart=0
    If your problem isn't fixed after you follow all of the steps, report back with ALL OF THE DETAILS asked for in the FINALLY section at the troubleshooting link
    Also, tuning Win7
    http://www.pcworld.com/businesscenter/article/220753/windows_7_godmode_tips_tricks_tweaks. html
    Temp/Cookie Cleaner http://www.mixesoft.com/
    http://forums.adobe.com/thread/789809?tstart=0
    Win7 Toolbar http://WindowsSecrets.com/comp/110210
    More Win7 Tips http://windowssecrets.com/comp/110127
    Utilities http://windowssecrets.com/comp/110106 (Startup Solutions)
    Win7 Help http://social.technet.microsoft.com/Forums/en-US/category/w7itpro/
    Win7 Configuration Article http://windowssecrets.com:80/comp/100218
    Win7 Monitor http://windowssecrets.com:80/comp/100304
    Win7 Optimizing http://www.blackviper.com/Windows_7/servicecfg.htm
    Win7 Virtual XP http://www.microsoft.com/windows/virtual-pc/
    More on Virtual XP http://blogs.zdnet.com/microsoft/?p=5607&tag=col1;post-5607
    Win7 Adobe Notes http://kb2.adobe.com/cps/508/cpsid_50853.html#tech
    Win7 Adobe Update Server Problem http://forums.adobe.com/thread/586346?tstart=0
    An Adobe Win7 FAQ http://forums.adobe.com/thread/511916?tstart=0
    More Win7 Tips/FAQ http://forums.adobe.com/thread/513640?tstart=0
    Processes http://technet.microsoft.com/en-us/sysinternals/bb896653.aspx
    Compatibility http://www.microsoft.com/windows/compatibility/windows-7/en-us/Default.aspx
    Win7 God Mode http://forums.adobe.com/thread/595255?tstart=0
    CS5 Install Error http://forums.adobe.com/thread/629281?tstart=0
    CS5 Help Problem http://kb2.adobe.com/cps/842/cpsid_84215.html
    Win7 and Firewire http://forums.adobe.com/thread/521842?tstart=0
    http://lifehacker.com/5634978/top-10-things-to-do-with-a-new-windows-7-system
    http://www.downloadsquad.com/2009/05/29/7-free-windows-7-tweaking-utilities/
    Win7 64bit Crashing and "a" fix http://forums.adobe.com/thread/580435?tstart=0
    http://prodesigntools.com/if-any-problems-downloading-or-installing-cs5.html
    Harm's Tools http://forums.adobe.com/thread/504907
    Also http://www.tune-up.com/products/tuneup-utilities/
    Also http://personal.inet.fi/business/toniarts/ecleane.htm

  • Unable to Reboot After Latest Apple Updates (SA-2011-06-23-1 and Security Update 2011-004)

    Hi All,
    After applying today's updates (06/23/2011) in APPLE-SA-2011-06-23-1 Mac OS X v10.6.8 and Security Update 2011-004, my MacBook will no longer boot. Prior to updating, the MacBook workked perfectly (except for the occasional error entry in the system and kernel log). The MackBook model number is A1278, with a RAM upgrade (4 GB).
    When booting in NORMAL mode, the grey screen with Apple logo (and spinning wheel) is shown for about 50 seconds. The device never shows the blue background or login window. It simply shuts down like the power was pulled.
    When booting in SAFE mode, the grey screen with Apple logo (and spinning wheel) is shown for about 1 minute 30 seconds. The blue background is shown and quickly transitions to the login windows. About 45 seconds after the login window is shown, the machine shuts down like the power was pulled.
    On the few occassions I logged in to take advantage of the 45 second safe mode window (before shutdown), I was *not* able to copy off my log files (in /log/var) to a thumb drive because the computer would not mount the USB device.
    When I peeked at the system's log file, I caught the tail end of "signature validation failed" for a bunch of hardware - from video to audio. I can only peek because the computer will shutdown before I have an opportunity to study anything in detail. The failed verifications may or may not be related to the shutdown - signature verfication might be disabled in safe mode; I simply don't know.
    It seems the world's most advanced operating system [tm] is performing the world's most epic failure. Any ideas to get this brick working again would be greatly appreciated.
    Jeffrey Walton
    Baltimore, MD, US

    Here's what I've found:
    (1) I cannot run Disk Utility because I don't have my install disk handy
    (2) I cannot run Repair Permissions because Apple does not make a separate ISO available to fix their mistakes
    (3) There does not appear to be a wat to back out updates (ie, no Add/Remove Programs)
    I was able to boot into safe mode and perform:
        > sudo bash
        $ chmod -R root /
    Amazingly, the command ran to completion. Unfortunately, it did not fix the problem. As soon as some spare cycles were available (interesting indeed!), the machine shutdown.
    +1 to Apple engineers for creating a broken patch
    +1 to Apple quality assurance for letting the junk out the door
    +1 to Apple, for not offering an ISO to fix a broken installation
    +1 to Steve, who has managed to keep his anti-trust lock on the hardware and broken software
    Great job, Apple

  • Trade off between multiple small optimised aggregates - few large aggregate

    Hi SDN community
    I am asking a purely theoretical question to the sdn.sap.com community if any projects have done verifiable tests between the trade off in performance for a small number of cubes with large unoptimised aggregates, compared to that of multiple cubes with small optimised aggregates.
    Will queries run faster acrosss more cubes with more aggregates that are smaller, as opposed to less cubes with larger aggregates.
    We are currently trying to improve performance, and wish to get feedback on whether to change design to cater for ongoing performance issues.
    Thank you for your assistance.
    Simon

    Hi Ravi,
    Thank you for your reply.
    The reason why we need to consider smaller aggregates is such:
    - We have 2 value types Budget, and Forecasts in the same cube.
    Because of this, we cannot restrict the aggregates to 2 smaller sized aggregates to allow performance gain.
    - If we sepearate the data to the Forecasts Cube,
    We have potential to create 12 Version specific aggregates
    - If we create Fiscal Year Aggregates in addition, we split the size of the aggregates
    Now although the roll up times will be longer, we have very targetted small aggregates so our reports should run faster.
    we have consistent performance problems so i am proposing the above last major performance tuning that can be thought of, but will the performance be worth the expenditure.
    Thank you.
    Simon

  • Blackberry Protect and Security Wipe

    Hi! If you would like to turn off your BlackBerry Anti-theft on your device you can simply go to your Settings → BlackBerry AntiTheft and simply disable it from there. But if your device is running 10.3.2 OS then you will be asked to enter your BlackBerry ID credentials. Just enter your BlackBerry ID username and password and it will be disabled. Then to perform security wipe, I suggest back up your device first before doing so. Then when you have everything backed up go to Settings → Security and Privacy → Security Wipe It may take some time to wipe your device and expect that it needs more than 30% battery level to continue. So keep your battery charged and wait for the wipe to be completed. You may also see that your device will turn off and on a few times while performing security wipe. NOTE:To find what OS you're currently running, go to Settings → About → Tap Category → Select OS on the drop down list and check current OS. 10.3.2 OS update is very tight in security specially when your BlackBerry Anti-theft is turned on. When you perform a Security wipe, you will need to verify your BlackBerry ID credentials. Then you must enter your BlackBerry ID credentials again after security wipe. If you fail to enter your BlackBerry ID, then your device is forever locked out. This is the reason why I always advise to have t he Anti-theft turned off first. Good luck!

    Hello,
    If you are on 10.3.1 or earlier, there is no requirement to turn off Protect before a WIPE...the WIPE will remove the association between your BB device and all BB proprietary services, including Protect.
    However, if you are on 10.3.2, then indeed you need to first turn off Protect before you initiate the WIPE. Refer:Article ID: KB36737 BlackBerry Protect Anti-theft ProtectionGood luck!

  • Firm or Trade-Off Zone Indicator not set

    Hi
    I have created the scheduling agreement and run the MRP by this the schedule lines are generated but the system has not set Firm or Trade-Off Zone Indicator how do I go head? IS there any customization/master data required to set the this indicator?
    Please suggest.
    Regards,
    Prashant.

    This depends a bit on how you communicate to your vendors.
    Assuming EDI, then the message to the vendor will contain a few date fields
    A. ABFDE End of production go-ahead
    Which is the 'end' of the FIRM ZONE
    B. ABMDE End of material go-ahead
    Which is the 'end' of the TRADEOFF ZONE.
    Upon receipt the vendors system will recognize these dates.
    Assuming printout, you need to work in SAP-Script/Smartform to detail the effect of these date on your print.
    Either by also mentioning these in the item header (remember each item has an unique FZ/ToZ setting). Or by using special markers on the date lines, based on these dates.
    Regards
    JP

  • When I try to open the "markets" page on the Firefox hompage, it displays for 3 or 4 seconds and then drops off; I get a white screen; this does not happen with Explorer.

    When I open "markets" from the homepage, it comes up but drops off after a few seconds and
    I get a white page. This does not happen with Explorer. A similar but much more extensive
    problem happened a month or so ago (I couldn't open attachments). I called Microsoft and the
    fellow messed about with my computer for an hour or so, but ended up saying he couldn't help
    me. However, when he went away, the problems went away.
    == This happened ==
    Every time Firefox opened
    == two weeks ago?

    ~~red:<u>'''''displays for 3 or 4 seconds and then drops off'''''</u>~~
    If you have RealPlayer Browser Record Plugin <u>'''extension'''</u>, disable/remove the RealPlayer Browser Record Plugin extension in the RealPlayer Preferences (RP: Tools > Preferences > Download & Recording) . Restart Firefox and test.
    <u>See Noah_SUMO's illustrated answer in this thread if the above is not clear:</u> https://support.mozilla.com/en-US/forum/1/557689?
    The RealPlayer Browser Record Plugin <u>'''extension'''</u> adds some extra features like saving media files.
    Be sure not to get confused with the RealPlayer <u>'''plugin'''</u> (Tools > Add-ons > Plugins) that plays media files.
    https://support.mozilla.com/en-US/forum/1/557689?
    http://support.mozilla.com/en-US/forum/1/459823
    https://support.mozilla.com/en-US/forum/1/446905?
    https://support.mozilla.com/tiki-view_forum_thread.php?forumId=1&comments_parentId=472596
    http://support.mozilla.com/en-US/forum/1/461211
    http://support.mozilla.com/en-US/forum/1/376867
    See [[Troubleshooting extensions and themes]] and [[Troubleshooting plugins]].
    ~~red:<u>'''''Other Issues'''''~~: to correct security/stability issues</u>
    <u>'''Update Java'''</u>: your ver. 1.6.0.17; current ver. 1.6.0.20 (<u>important security update 04-15-2010</u>)
    ''(Windows users: Do the manual update; very easy.)''
    See: '''[http://support.mozilla.com/en-US/kb/Using+the+Java+plugin+with+Firefox#Updates Updating Java]'''
    Do the update with Firefox closed.
    <u>'''Update Shockwave for Director'''</u>: your version 11.0; current version 11.5
    NOTE: this is not the same as Shockwave Flash; this installs the Shockwave Player.
    SAVE the installer to your hard drive (Desktop is a good place so you can find it). When the download is complete, exit Firefox (File > Exit), locate and double-click in the installer you just downloaded, let the install complete.
    IMPORTANT: I have found it wise to always restart your system after doing anything with Adobe products.
    See: '''[http://support.mozilla.com/en-US/kb/Using+the+Shockwave+plugin+with+Firefox#_Installing_Shockwave Installing Shockwave]'''

Maybe you are looking for

  • How can i give multiple users admin access?

    I would like to give another user on my macbook pro admin access, so that they can install programs without having to ask me for the password each time. I do not want the password to be the same for my profile, because I don't want them getting into

  • ORA-28500

    Dear all, i have oracle 11gR1 installed on RedHat Eterprise linux X86_64 platform. I try to make a heterogeneous connectivity to SQL Server using Oracle Gateway 11g. I already configure initdg4msql.ora, listener.ora and tnsnames.ora as in manual. whe

  • Tomcat 4 install

    I recently Downloaded the Tomcat4.0 JSP/Servlet server. It is the "jakarta-tomcat-4.0.exe" version and when it runs, it immediately prompts me for the JDK. The installation package quits immediately after this message. I have version 1.3.1 SDK.. I wa

  • Update CS6 on Mac.

    I tried to update:error U44M1P7>Uninstalled CS6. Tried to update again:error U44M1P28. What to do?

  • No destructive editing using installed plug-ins in the sample editor.

    It is a shame that it looks like there still is no destructive editing using installed plug-ins in the sample editor. Seems very obvious to me that this feature should be included in Logic. Very disappointing. I'm assuming that you will be able to do