No subject warning

I just upgraded to Leopard and when I send an outgoing email without a subject, a have to click through a "warning no subject" message before I can send the email. Since I rarely add subject headers, this is annoying. There must be some way to disable the warning function, but I can't for the life of me figure out how. Any help?

Actually there are many legit reasons to leave the Subject field blank. Forcing it to be used would then be detrimental.
For example, when emailing to a cell phone. In some cases, the contents of the Subject field are counted in the maximum number of characters and will cause your message to be cut short. Also, some carriers don't handle the Subject field properly as that field is not typically used in a text message.
Since I email from my Gmail account to cell phones quite often, I'm constantly having to confirm that I do indeed wish to send without a Subject field. Over the course of the day, doing this several times an hour, it gets quite aggravating. It would be nice to be able to toggle this on or off, or better yet have it disabled for specific Contacts.
And yes, I do use informative Subject fields when sending normal email.

Similar Messages

  • Mail subject warning

    I really find it annoying that I can not turn off the 'no subject' warning. To suggest I should is none of anyone's business. The subject line is purely personal preference - especially since I am sending email to family. When I send email for work I use the subject line.
    There should be a way of turning off the subject warning. And for work it would be convenient if there was a way of using 'RULES' under mail preferences to set up the warning for work related emails.

    Ernie,
    I don't think your personal preference on mail Subject lines is really the point of this thread. I, too, like the fella who started this thread, am constantly annoyed by the unnecessary prompt. Smacks smartly of Microsoft-ian programming: helpful to the point of being intrusive.
    Further, I believe there is a way to do it. Unfortunately, I am not a Unix guy who knows how to implement this, but I found this link to the man pages for mail. Find the "ask, asksub" entry under Mail Options in the manual. Seems to say there is a built-in feature of Mail that can be turned on and off at will.
    http://developer.apple.com/documentation/Darwin/Reference/ManPages/man1/mail.1.h tml
    Eric
    Message was edited by: xhat

  • Empty Subject Warning on Email

    I am getting a warning about empty subject line in my emails. Is this an iPhone software issue or is this an AOL issue. If iPhone how do I disable?

    Hi Mahesh,
    Mail does now warn about sending a message without a subject.
    +R

  • How to turn off "No Subject" warning window

    Hi-
    How do I turn off the window that pops up and says "Your message has no subject." I looked in Preferences, but did not see it. Thanks

    I hope you can't, and won't be able to turn off the pop-up message... ever. People that send me messages for their benefit need to tell me what they want or the rule I built is that it's Junk.
    Rule Name: Blank Subject to Junk
    If All of the following conditions are met
    Subject Does not contain - a
    Subject Does not contain - e
    Subject Does not contain - i
    Subject Does not contain - o
    Subject Does not contain - u
    Subject Does not contain - y
    Move message to mailbox: Junk
    My clients need to learn how to conduct business in the real world, with rules of etiquette, just like the jerks that use all caps.
    The good news is that even if you can eventually turn off the popup, my filter rule will still work

  • Warning: No indices selected for this bind variable ??

    I have a view object that is read-only and performs a JDBC connection to SQL 2000 server to get the contents of a view in the database. I need to add a couple of bind variables that I can use for searching 'ExecuteWithParams' in my JSF.
    When I click 'Add' to add a bind variable, I get the subject warning. My query has the selected attributes with 'AS Emp_No' for instance. If I want to add to the where clause 'AND EMP_NO = :EmpIdVar' as I would do in the Oracle way, how can I do it in the JDBC Positional way and avoid the warning above?
    Thanks!

    Bug 6041448 details a problem with setting the index positions of a named bind variable when the View Object's binding style is "Oracle Positional" or "JDBC Positional".
    The workaround involves not using named bind variables, and just using the ? bind variable indicators in the query without formally defining the named bind variables.
    You could adopt a technique like the one described in section "10.5.2 How to Work with Named View Object Bind Variables" of the ADF Developer's Guide for Forms/4GL Developers on the ADF Learning Center (at http://www.oracle.com/technology/products/adf/learnadf.html) as an alternative to using ExecuteWithParams [whose use required named bind parameters]. Instead, you would write a custom method on your view object that accepts your two parameters, then inside this method it would set the correct posititional parameters using setWhereClauseParam().
    Once you've added the custom method to the view object's client interface, then you can drop the custom method from the data control palette just like the ExecuteWithParams and use it in basically the same ways.

  • Warning: assignment from distinct Objective-C type

    Hi,
    I'm getting the waring in the title of my post, and I can't figure out why. If I change the name of one variable everywhere in my code, then the warning goes away. Here is the code that produces the warning (warning marked in code with comment):
    #import "RandomController.h"
    #import "RandomSeeder.h"
    #import "MyRandomGenerator.h"
    @implementation RandomController
    - (IBAction)seed:(id)sender
    seeder = [[RandomSeeder alloc] myInit];
    [seeder seed];
    NSLog(@"seeded random number generator");
    [textField setStringValue:@"seeded"];
    [seeder release];
    - (IBAction)generate:(id)sender
    generator = [[MyRandomGenerator alloc] myInit]; //<**WARNING**
    int randNum = [generator generate];
    NSLog(@"generated random number: %d", randNum);
    [textField setIntValue:randNum];
    [generator release];
    So both the RandomSeed class and the MyRandomGenerator class have a method named myInit. If I change the line with the warning to:
    generator = [[MyRandomGenerator alloc] aInit];
    and also change the name of the method to aInit in the MyRandomGenerator.h/.m files, then the warning goes away. xcode seems to be telling me that two classes can't have a method with the same name--which can't be correct.
    //RandomSeeder.h
    #import <Cocoa/Cocoa.h>
    @interface RandomSeeder: NSObject {
    - (RandomSeeder*)myInit;
    - (void)seed;
    @end
    //RandomSeeder.m
    #import "RandomSeeder.h"
    @implementation RandomSeeder
    - (RandomSeeder*)myInit
    self = [super init];
    NSLog(@"constructed RandomSeeder");
    return self;
    - (void)seed
    srandom(time(NULL));
    @end
    //MyRandomGenerator.h
    #import <Cocoa/Cocoa.h>
    @interface MyRandomGenerator: NSObject {
    - (MyRandomGenerator*)myInit;
    - (int)generate;
    @end
    //MyRandomGenerator.m
    #import "MyRandomGenerator.h"
    @implementation MyRandomGenerator
    - (MyRandomGenerator*)myInit
    self = [super init];
    NSLog(@"constructed RandomGenerator");
    return self;
    - (int)generate
    return (random() %100) + 1;
    @end
    //RandomController.h
    #import <Cocoa/Cocoa.h>
    #import "RandomSeeder.h"
    #import "MyRandomGenerator.h"
    @interface RandomController : NSObject {
    IBOutlet NSTextField* textField;
    RandomSeeder* seeder;
    MyRandomGenerator* generator;
    - (IBAction)seed:(id)sender;
    - (IBAction)generate:(id)sender;
    @end
    //RandomController.m
    #import "RandomController.h"
    #import "RandomSeeder.h"
    #import "MyRandomGenerator.h"
    @implementation RandomController
    - (IBAction)seed:(id)sender
    seeder = [[RandomSeeder alloc] myInit];
    [seeder seed];
    NSLog(@"seeded random number generator");
    [textField setStringValue:@"seeded"];
    [seeder release];
    - (IBAction)generate:(id)sender
    generator = [[MyRandomGenerator alloc] myInit];
    int randNum = [generator generate];
    NSLog(@"generated random number: %d", randNum);
    [textField setIntValue:randNum];
    [generator release];
    @end
    Also, I couldn't figure out a way to create only one RandomSeed object and only one MyRandomGenerator object to be used for the life of the application--because I couldn't figure out how to code a destructor. How would you avoid creating a new RandomSeed object every time the seed action was called? Or, is that just the way things are done in obj-c?
    Message was edited by: 7stud

    7stud wrote:
    generator = [[MyRandomGenerator alloc] myInit]; //<**WARNING**
    I can tell you why I might expect the subject warning, but doubt I'll be able to handle the likely follow-up questions, ok?
    Firstly note that +(id)alloc, which is inherited from NSObject, always returns an id type, meaning an object of unspecified class. Thus the compiler can't determine the type returned by [MyRandomGenerator alloc], so doesn't know which of the myInit methods might run. This is the case whenever init is sent to the object returned by alloc, but your example is a little more complicated because the code has broken at least two rules for init methods: 1) By convention the identifier of an init method must begin with 'init'; 2) An init method must return an object of id type.
    Each of the myInit methods returns a different "distinct" type, and neither of the methods is known to be an init, so the compiler isn't willing to guarantee that the object returned will match the type of the left hand variable. Do we think the compiler would be more trusting if the init methods followed the naming convention? Dunno, but that might be an interesting experiment. In any case, I wouldn't expect the compiler to complain if the myInit methods both returned an id type object.
    For more details about why and how init methods are a special case you might want to look over Constraints and Conventions under "Implementing an Initializer" in +The Objective-C Programming Language+. The doc on init in the +NSObject Class Reference+ also includes a relevant discussion.
    Hope some of the above is useful!
    - Ray

  • Low disk space in recovery disk (d) drive in window 8.1

    I continue to receive the subject warning. I have never added any files to D, but I have 32.3 MB free of 25.5 GB. I have Administrator privilrges but am unable to view the files on D. When I click on recovery, I get an HP warning.

    Hi @pjd10 
    I grasp that you are a low disk space error on recovery D.  I regret that you are having that difficulty.
    Here is a link to HP PCs - Error: Low Disk Space. You are running out of disk space on Recovery (Windows 8) that should guide you to resolving this issue.
    Best of Luck!
    Sparkles1
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the bottom right to say “Thanks” for helping!

  • Sending Mails to Multiple Recipients using UTL_SMTP

    create or replace procedure send_mail(msg_text varchar2) is
    c utl_smtp.connection;
    PROCEDURE send_header(name IN VARCHAR2, header IN VARCHAR2) AS
    BEGIN
    utl_smtp.write_data(c, name || ': ' || header || utl_tcp.CRLF);
    END;
    BEGIN
    c := utl_smtp.open_connection('outlook.abc.com');
    utl_smtp.helo(c, 'abc.com');
    utl_smtp.mail(c, '[email protected]');
    utl_smtp.rcpt(c, '[email protected]');
    utl_smtp.open_data(c);
    send_header('From', '"root" <[email protected]>');
    send_header('To', '"abc" <[email protected]>');
    send_header('Subject', 'WARNING: Salary has been changed');
    utl_smtp.write_data(c, utl_tcp.CRLF || msg_text);
    utl_smtp.close_data(c);
    utl_smtp.quit(c);
    EXCEPTION
    WHEN utl_smtp.transient_error OR utl_smtp.permanent_error THEN
    BEGIN
    utl_smtp.quit(c);
    EXCEPTION
    WHEN utl_smtp.transient_error OR utl_smtp.permanent_error THEN
    NULL; -- When the SMTP server is down or unavailable, we don't have
    -- a connection to the server. The quit call will raise an
    -- exception that we can ignore.
    END;
    raise_application_error(-20000,
    'Failed to send mail due to the following error: ' || sqlerrm);
    END;
    ==============
    when I execute the above using
    sql> exec send_mail('hihihih');
    I am getting the mails..no problems...
    So..I created the following trigger and used the above procedure to send the mail...
    CREATE OR REPLACE TRIGGER test_emp_table_trg
    AFTER UPDATE
    ON test_emp_table
    FOR EACH ROW
    WHEN (NEW.sal <> OLD.sal)
    DECLARE
    l_employee_name VARCHAR2 (240);
    l_old_sal VARCHAR2 (240);
    l_new_sal VARCHAR2 (240);
    l_message VARCHAR2 (240);
    BEGIN
    /* Gets the employee full name */
    BEGIN
    SELECT ename
    INTO l_employee_name
    FROM test_emp_table
    WHERE empno = :OLD.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_employee_name := NULL;
    END;
    /* Gets the old Salary */
    BEGIN
    SELECT sal
    INTO l_old_sal
    FROM test_emp_table
    WHERE empno = :OLD.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_old_sal := 0;
    END;
    /* Gets the new salary */
    BEGIN
    SELECT sal
    INTO l_new_sal
    FROM test_emp_table
    WHERE empno= :NEW.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_new_sal := 0;
    END;
    l_message:=
    'Employee Name= '
    || l_employee_name
    || 'Old Salary= '
    || l_old_sal
    || 'New Salary= '
    || l_new_sal;
    BEGIN
    send_mail (l_message);
    END;
    END;
    ===================
    I am not getting desired output..what might be problem friends...I am getting 0 values for old salary and new salary......
    One more thing..when i use 2 receipts in the send_mail procedure like this...I added the following lines in the procedure to send to multiple receipents..
    ======
    utl_smtp.rcpt(c, '[email protected]');
    utl_smtp.rcpt(c, '[email protected]');
    =============
    Pleas have a look and correct me, where i went wrong....
    Edited by: oraDBA2 on Sep 22, 2008 3:12 PM

    Hi, You can use the following routine to send mail to multiple recipients through utl_smtp.
    create or replace package mail_pkg
    as
    type array is table of varchar2(255);
    procedure send( p_sender_e_mail in varchar2,
    p_from in varchar2,
    p_to in array default array(),
    p_cc in array default array(),
    p_bcc in array default array(),
    p_subject in varchar2,
    p_body in long );
    end;
    create or replace package body mail_pkg
    begin
    g_crlf char(2) default chr(13)||chr(10);
    g_mail_conn utl_smtp.connection;
    g_mailhost varchar2(255) := 'ur mail server';
    function address_email( p_string in varchar2,
    p_recipients in array ) return varchar2
    is
    l_recipients long;
    begin
    for i in 1 .. p_recipients.count
    loop
    utl_smtp.rcpt(g_mail_conn, p_recipients(i));
    if ( l_recipients is null )
    then
    l_recipients := p_string || p_recipients(i) ;
    else
    l_recipients := l_recipients || ', ' || p_recipients(i);
    end if;
    end loop;
    return l_recipients;
    end;
    procedure send( p_sender_e_mail in varchar2,
    p_from in varchar2,
    p_to in array default array(),
    p_cc in array default array(),
    p_bcc in array default array(),
    p_subject in varchar2,
    p_body in long );
    end;
    is
    l_to_list long;
    l_cc_list long;
    l_bcc_list long;
    l_date varchar2(255) default
    to_char( SYSDATE, 'dd Mon yy hh24:mi:ss' );
    procedure writeData( p_text in varchar2 )
    as
    begin
    if ( p_text is not null )
    then
    utl_smtp.write_data( g_mail_conn, p_text || g_crlf );
    end if;
    end;
    begin
    g_mail_conn := utl_smtp.open_connection(g_mailhost, 25);
    utl_smtp.helo(g_mail_conn, g_mailhost);
    utl_smtp.mail(g_mail_conn, p_sender_e_mail);
    l_to_list := address_email( 'To: ', p_to );
    l_cc_list := address_email( 'Cc: ', p_cc );
    l_bcc_list := address_email( 'Bcc: ', p_bcc );
    utl_smtp.open_data(g_mail_conn );
    writeData( 'Date: ' || l_date );
    writeData( 'From: ' || nvl( p_from, p_sender_e_mail ) );
    writeData( 'Subject: ' || nvl( p_subject, '(no subject)' ) );
    writeData( l_to_list );
    writeData( l_cc_list );
    utl_smtp.write_data( g_mail_conn, '' || g_crlf );
    utl_smtp.write_data(g_mail_conn, p_body );
    utl_smtp.close_data(g_mail_conn );
    utl_smtp.quit(g_mail_conn);
    end;
    end;
    begin
    mail_pkg.send
    (p_sender_e_mail => 'urmail',
    p_from => 'urmail',
    p_to => mail_pkg.array( 'urmail','othersmail' ),
    p_cc => mail_pkg.array( ' othermail ' ),
    p_bcc => mail_pkg.array( '' ),
    p_subject => 'This is a subject',
    p_body => 'Hello Buddy, this is the mail you need' );
    end;
    /

  • Mail needs to be sent after updating the salary column of emp table

    Hi,
    we have table test_emp_table, oracle form based application is running on this table...
    it conatins salary column, we have requirement that, when every any update to the salary column, a mail needs to be sent to concerned person with new and old salary values..
    I did that using the following procedure...
    ===========
    -- Create Temporary Table to hold the Updated values
    create table email_parameters
    ( id number primary key,
    oldsal varchar2(10),
    newsal varchar2(10),
    ename varchar2(100));
    --- Create Procedure
    CREATE OR REPLACE PROCEDURE send_email_new (
    l_job IN NUMBER ) is
    l_oldsal varchar2(100);
    l_newsal varchar2(100);
    l_emp_name varchar2(100);
    l_message varchar2(100);
    BEGIN
    SELECT oldsal
    INTO l_oldsal
    FROM email_parameters
    WHERE ID = l_job;
         SELECT newsal
    INTO l_newsal
    FROM email_parameters
    WHERE ID = l_job;
         SELECT ename
    INTO l_emp_name
    FROM email_parameters
    WHERE ID = l_job;
         l_message:=
    'Employee Name= '
    || l_emp_name
    || chr(10)||chr(10)
    || 'Old Salary= '
    || l_oldsal
         || chr(10)||chr(10)
    || 'New Salary= '
    || l_newsal;
    send_mail(l_message);
    DELETE FROM email_parameters
    WHERE ID = l_job;
         EXCEPTION
    WHEN OTHERS
    THEN
    DBMS_OUTPUT.put_line (DBMS_UTILITY.format_error_stack);
    DBMS_OUTPUT.put_line (DBMS_UTILITY.format_call_stack);
    END;
    --- Create Trigger
    create or replace trigger send_email_trg
    after update on TEST_EMP_TABLE
    for each row
    declare
    l_job number;
    begin
    dbms_job.submit (job => l_job,
    what => 'send_email_new(job);' );
    insert into email_parameters
    values (l_job, :old.sal,:new.sal,:new.ename);
    end send_email_trg;
    -- Create Procedure for Sending Mail
    create or replace procedure send_mail(l_message varchar2) is
    c utl_smtp.connection;
    PROCEDURE send_header(name VARCHAR2, header VARCHAR2) AS
    BEGIN
    utl_smtp.write_data(c,name ||':'|| header || UTL_TCP.CRLF);
    END;
    BEGIN
    c := utl_smtp.open_connection('192.168.0.18');
    utl_smtp.helo(c, 'abc.com');
    utl_smtp.mail(c, '[email protected]');
    utl_smtp.rcpt(c, '[email protected]');
    utl_smtp.open_data(c);
    send_header('From', '[email protected]');
    send_header('To', '[email protected]');
    send_header('Subject', 'Warning: Employee Solary has been updated!');
    utl_smtp.write_data(c, UTL_TCP.CRLF || l_message);
    utl_smtp.close_data(c);
    utl_smtp.quit(c);
    EXCEPTION
    WHEN utl_smtp.transient_error OR utl_smtp.permanent_error THEN
    BEGIN
    utl_smtp.quit(c);
    EXCEPTION
    WHEN utl_smtp.transient_error
    OR utl_smtp.permanent_error THEN
    NULL;
    END;
    raise_application_error(-20000, SQLERRM);
    END;
    ====================
    But I have doubt, if there is any problem with mail server, if user is updating salary column from form based application at same time....
    will table trigger allows him to save the new record or not????? or will he get any errors????

    thanks justin...
    I have written that code..but it works...problem is ...i am not able to understand the flow...what happens in the order, until mail is sent...
    i have another code.....
    I have written with out dbms_job, i have witten directly in the trigger itself...
    Tom suggested the procedure, what i have given above..but not the below procedure....
    I am not able to understand, what is the difference between them.....
    CREATE OR REPLACE TRIGGER test_emp_table_trg
    AFTER UPDATE
    ON test_emp_table
    FOR EACH ROW
    WHEN (NEW.sal <> OLD.sal)
    DECLARE
    l_employee_name VARCHAR2 (240);
    l_old_sal VARCHAR2 (240);
    l_new_sal VARCHAR2 (240);
    l_message VARCHAR2 (240);
    BEGIN
    /* Gets the employee full name */
    BEGIN
    SELECT ename
    INTO l_employee_name
    FROM test_emp_table
    WHERE empno = :OLD.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_employee_name := NULL;
    END;
    /* Gets the old Salary */
    BEGIN
    SELECT sal
    INTO l_old_sal
    FROM test_emp_table
    WHERE empno = :OLD.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_old_sal := 0;
    END;
    /* Gets the new position name */
    BEGIN
    SELECT sal
    INTO l_new_sal
    FROM test_emp_table
    WHERE empno= :NEW.empno;
    EXCEPTION
    WHEN OTHERS
    THEN
    l_new_sal := 0;
    END;
    l_message:=
    'Employee Name= '
    || l_employee_name
    || 'Old Salary= '
    || l_old_sal
    || 'New Salary= '
    || l_new_sal;
    BEGIN
    send_mail (l_message);
    END;
    ==========
    can you please describe it clearly???
    thanks in advance my dear friend????
    Edited by: oraDBA2 on Oct 4, 2008 10:26 PM

  • Low disk space Applescript (AppleEvent handler error -10000)

    Hello,
    I am new to Applescript, downloaded script from online for low disk space alert and was working properly on one mac but getting error on another mac of same version. Someone please help me on this.
    Thanks in advance.
    -- Script to warn users of low disk space remaining on fixed (hard) disks
    -- Created by Matthew Lindfield Seager on 21st March 2007
    -- © Copyright Matthew Lindfield Seager
    ---------- change these settings ----------
    set expectedNumberOfHardDisks to 2
    set minimumFreeSpacePercentage to 60
    set sendToAddresses to {"[email protected]"}
    set sendImmediately to false -- If this setting is false the message will be created but won't be sent until someone manually clicks the "send" button. Only useful for testing!!!
    ---------- change these settings ----------
    tell application "System Events"
              set hardDisks to (name of every disk whose local volume is true and ejectable is false) as list -- list of all hard disk drives
              set notEnoughDisks to false
              set almostFullDisks to {}
              set almostFullDiskNames to ""
              set computername to (do shell script "networksetup -getcomputername")
              if (count of hardDisks) is less than expectedNumberOfHardDisks then
                        set notEnoughDisks to true
              end if
              repeat with i in hardDisks
                        set diskName to (i as string)
                        try
                                  set totalSpace to round ((capacity of disk diskName) / 1024 / 1024)
                                  set freeSpace to round ((free space of disk diskName) / 1024 / 1024)
                                  set percentFree to (round (100 * freeSpace / totalSpace))
                                  if percentFree is less than minimumFreeSpacePercentage then
                                            set almostFullDisks to almostFullDisks & {i}
                                            set almostFullDiskNames to almostFullDiskNames & diskName & ", "
                                  end if
                        end try
              end repeat
    end tell
    if notEnoughDisks or ((count of almostFullDisks) is greater than 0) then
              set messageText to "There is a potential problem with the hard disk drives on the server." & return & return & "Details:" & return
              if notEnoughDisks then set messageText to messageText & " * A hard disk drive may be missing" & return
              if (count of almostFullDisks) is greater than 0 then
                        set messageText to messageText & " * The following hard disks may be close to full capacity: " & almostFullDiskNames & computername & return
              end if
              tell application "Mail"
      activate
                        set warningMessage to make new outgoing message with properties {visible:true, subject:"Warning: Low disk space", contentmessageText)}
                        repeat with i in sendToAddresses
                                  tell warningMessage
      make new to recipient at beginning of to recipients with properties {address:i}
                                  end tell
                        end repeat
                        if sendImmediately then send warningMessage
              end tell
    end if
    Following is the error:
    tell application "System Events"
         get name of every disk whose local volumn = true and ejectable=false
              -->error number -10000
    Result:
    error "System Events got an error: AppleEvent handler failed." number -10000.

    Hi,
    I believe these are the commands (round and do shell script) which causes this error.
    because it's not recommended to use commands of the osax "Standard Additions"  in the 'tell application "System Events"' block, although it works most of the time.
    Here is the modified script that does the same thing :
    set expectedNumberOfHardDisks to 2
    set minimumFreeSpacePercentage to 60
    set sendToAddresses to {"[email protected]"}
    set sendImmediately to false -- If this setting is false the message will be created but won't be sent until someone manually clicks the "send" button. Only useful for testing!!!
    set almostFull to ""
    tell application "System Events"
         set hardDisks to (disks whose local volume is true and ejectable is false) -- list of all hard disk drives
         repeat with tDisk in hardDisks
              try
                   tell tDisk to set percentFree to (100 * (its free space)) div (its capacity)
                   if percentFree < minimumFreeSpacePercentage then
                        set almostFull to almostFull & (get name of tDisk) & ", "
                   end if
              end try
         end repeat
    end tell
    set notEnoughDisks to (count hardDisks) < expectedNumberOfHardDisks
    if notEnoughDisks or (almostFull is not "") then
         set messageText to "There is a potential problem with the hard disk drives on the server." & return & return & "Details:" & return
         if notEnoughDisks then set messageText to messageText & " * A hard disk drive may be missing" & return
         if almostFull is not "" then
              set computername to do shell script "/usr/sbin/networksetup -getcomputername"
              set messageText to messageText & " * The following hard disks may be close to full capacity: " & almostFull & computername & return
         end if
         tell application "Mail"
              activate
              tell (make new outgoing message with properties {visible:true, subject:"Warning: Low disk space", content:messageText})
                   repeat with i in sendToAddresses
                        make new to recipient at beginning of to recipients with properties {address:i}
                   end repeat
                   if sendImmediately then send
              end tell
         end tell
    end if

  • How to set restriction on shared folder to copy or move images and videos

    Hi,
    I am using windows server 2008 for file sharing, it's simple folder sharing and there is no additional roles added and not promoted as file server.
    Users have permissions to access folder and they can put data on shared folder but I want to restrict user that they can not copy any images and video on it.
    Need urgent help to stop copying images and videos on shared folder.

    If you need to restrict only certain types of files, then file screening is what you need. Windows Server 2012 R2 comes with a powershell module for FSRM, so you can script configuration of file screening.
    The code will look like the following (this is only an example):
    New-FsrmFileGroup -Name "Images and Videos" –IncludePattern @("*.jpg", "*.mpg", "*.avi", "*.tif", "*.mp4", "*.mov")
    $Notification = New-FsrmAction -Type Email -MailTo "[Admin Email];[File Owner]" -Subject “Warning: attempted to create a video or image file” -Body “You attempted to create a video or image file on a share that does not allow storage of this type of files.” -RunLimitInterval 120
    New-FsrmFileScreen -Path "C:\Shares\FileShare1" –IncludeGroup "Images and Videos" -Notification $Notification -Active
    Gleb.

  • Spam?

    I've recently received several strange emails that seem to be in response to emails that I don't remember sending and to addresses that I don't recognize. One of those emails was to five aol.com addresses that I don't recognize. I've listed the emails below. They all have attachments, which I haven't opened. These emails were captured by my Earthlink spam filter. I'm not worried about the emails themselves, but I wonder if my computer could be sending spam? Thanks, Caoim
    From: Mail Administrator <[email protected]>
    To: (me)
    Subject: Mail System Error- Returned Mail
    Date: Dec 17, 2009 2:01 PM
    Attachment: "unknown-351 B Forwarded-Message"
    "This Message was undeliverable due to the following reason:
    Each of the following recipients was rejected by a remote mail server.
    The reasons given by the server are included to help you determine why
    each recipient was rejected.
    Recipient: <[email protected]>
    Reason: Unrouteable address"
    From: [email protected]
    To: (me)
    Subject: Delivery Status Notification (Failure)
    Date: Dec 17, 2009 10:46 PM
    Attachment: "unknown-264 B Forwarded Message"
    "This is an automatically generated Delivery Status Notification. Delivery to the following recipients failed.
    [email protected]"
    From: Mail Delivery Subsystem <[email protected]>
    To: (me)
    Subject: Warning: could not send message for past 3 hours
    Date: Dec7, 2009 10:35 AM
    Attachment: "unknown-290 B Forwarded-Message
    THIS IS A WARNING MESSAGE ONLY YOU DO NOT NEED TO RESEND YOUR MESSAGE **********************************************
    The original message was received at Mon, 07 Dec 2009 22:35:17 +0700
    ----- The following addresses had transient non-fatal errors -----
    <[email protected]>
    ----- Transcript of session follows -----
    Warning: message still undelivered after 3 hours
    Will keep trying until message is 1 days old
    From: Mail Delivery Service <[email protected]>
    To: (me)
    Subject: Delivery Status Notification
    Date: Dec 8, 2009 6:37 AM
    Attachments: unknown-290 B Forwarded-Message
    "The original message was received at Tue, 08 Dec 2009 18:37:54 +0700
    ----- The following addresses had permanent fatal errors -----
    <[email protected]>
    ----- Transcript of session follows -----
    554 could not connect and send the mail to mailin-01.mx.aol.com
    From: [email protected]
    To: (me)
    Subject: Delivery Status Notification (Failure)
    Date: Dec 17, 2009 10:50PM
    Attachment: unknown-698 B Forwarded-Message
    This is an automatically generated Delivery Status Notification.
    Delivery to the following recipients failed.
    [email protected]
    [email protected]
    [email protected]
    [email protected]
    [email protected]
    Confidentiality Notice:
    The information contained in this electronic message and any attachments to this message are intended for the exclusive use of the addressee(s) and may contain confidential or privileged information. If you are not the intended recipient, please notify the sender at [email protected] immediately and destroy all the copies of this message and any attachments
    From: Mail Delivery System <[email protected]
    To: (me)
    Subject: Delivery Status Notification (Failure)
    Date: Dec 18, 2009 4:38 AM
    Attachment: "unknown-279 B Forwarded-Message"
    The following message to <[email protected]> was undeliverable.
    The reason for the problem:
    5.1.0 - Unknown address error 550-'Unrouteable address'

    there are no clues in that email. but as I said, this is an extremely common practice of spammers. they send mass emails and fake the sent from address as yours. anything that bounces for any reason comes back to you. there is no known OS X malware (there is hardly any OS X malware, period) that would cause Mail to send emails automatically so this is clearly what's happening.

  • Java call to process --error--

    java.rmi.UnmarshalException: Error deserializing return-value: java.io.InvalidClassException: orabpel.dom4j.tree.AbstractNode; local class incompatible: stream classdesc serialVersionUID = -10849259383302530, local class serialVersionUID = -3661118841706939026
         at com.evermind.server.rmi.RMIConnection.EXCEPTION_ORIGINATES_FROM_THE_REMOTE_SERVER(RMIConnection.java:1527)
         at com.evermind.server.rmi.RMIConnection.invokeMethod(RMIConnection.java:1480)
         at com.evermind.server.rmi.RemoteInvocationHandler.invoke(RemoteInvocationHandler.java:55)
         at com.evermind.server.rmi.RecoverableRemoteInvocationHandler.invoke(RecoverableRemoteInvocationHandler.java:22)
         at com.evermind.server.ejb.StatelessSessionRemoteInvocationHandler.invoke(StatelessSessionRemoteInvocationHandler.java:50)
         at __Proxy9.getResult(Unknown Source)
         at com.oracle.bpel.client.dispatch.BaseDispatcherService.initialRequestAnyType(BaseDispatcherService.java:906)
         at com.oracle.bpel.client.dispatch.BaseDispatcherService.initialRequest(BaseDispatcherService.java:747)
         at com.oracle.bpel.client.dispatch.BaseDispatcherService.request(BaseDispatcherService.java:280)
         at com.oracle.bpel.client.dispatch.DispatcherService.request(DispatcherService.java:108)
         at com.oracle.bpel.client.dispatch.DeliveryService.request(DeliveryService.java:100)
         at com.oracle.bpel.client.dispatch.DeliveryService.request(DeliveryService.java:43)
         at RMIClient.main(RMIClient.java:57)

    I think you have asked the same question on 15th March. Please refer the answer to subject:
    Warning a client is using a different version of the ormi protocol 1.0 != 1

  • Server Configuration Error

    I'm setting up 10.4.5 Server for the first time, and I've managed to get all of my services running correctly except the mail server. I've searched the discussions and tried some of the suggestions without success.
    Briefly, I cannot receive mail from outside of my network. I can send mail out, I can send and receive mail within the network, the email client authenticates and checks the accounts, and I can access everything via WebMail (thanks to the suggestions here). Multiple tests from DNStuff haven't been helpful to me.
    I'm adding the postconf -n results as well as a rejected email and some log entries.
    powermacg4:/ erick$ postconf -n
    command_directory = /usr/sbin
    config_directory = /etc/postfix
    content_filter = smtp-amavis:[127.0.0.1]:10024
    daemon_directory = /usr/libexec/postfix
    debugpeerlevel = 2
    enableserveroptions = yes
    html_directory = no
    inet_interfaces = all
    localrecipientmaps =
    luser_relay = postmaster
    mail_owner = postfix
    mailboxsizelimit = 0
    mailbox_transport = cyrus
    mailq_path = /usr/bin/mailq
    manpage_directory = /usr/share/man
    mapsrbldomains =
    messagesizelimit = 10485760
    mydestination = $myhostname,localhost.$mydomain,localhost,kaisernetwork.us
    mydomain = kaisernetwork.us
    mydomain_fallback = localhost
    myhostname = mail.kaisernetwork.us
    mynetworks = 127.0.0.1/32,66.93.12.106,192.168.225.192/26,17.250.248.44
    mynetworks_style = host
    newaliases_path = /usr/bin/newaliases
    queue_directory = /private/var/spool/postfix
    readme_directory = /usr/share/doc/postfix
    sample_directory = /usr/share/doc/postfix/examples
    sendmail_path = /usr/sbin/sendmail
    setgid_group = postdrop
    smtpdclientrestrictions = permit_mynetworks sbl-xbl.spamhaus.org rejectrblclient dnsbl.sorbs.net rejectrblclient sbl-xbl.spamhaus.org permit
    smtpdpw_server_securityoptions = cram-md5,login
    smtpdrecipientrestrictions = permitsasl_authenticated,permit_mynetworks,reject_unauthdestination,permit
    smtpdsasl_authenable = yes
    smtpdtls_certfile = /etc/certificates/Server.crt
    smtpdtls_keyfile = /etc/certificates/Server.key
    smtpduse_pwserver = yes
    smtpdusetls = yes
    unknownlocal_recipient_rejectcode = 550
    Return-path:
    Received: from mac.com (smtpin09-en2 [10.13.10.79])
    by ms22.mac.com (iPlanet Messaging Server 5.2 HotFix 2.08 (built Sep 22 2005))
    with ESMTP id <[email protected]> for [email protected]; Sun,
    26 Mar 2006 14:05:40 -0800 (PST)
    Received: from smtpout.mac.com (smtpout05-en1.mac.com [17.250.248.87])
    by mac.com (Xserve/smtpin09/MantshX 4.0) with ESMTP id k2QM5cEd014984 for
    <[email protected]>; Sun, 26 Mar 2006 14:05:40 -0800 (PST)
    Received: from localhost (localhost)
    by smtpout.mac.com (Xserve/8.12.11/smtpout05/MantshX 4.0)
    id k2QM40Ya000383; Sun, 26 Mar 2006 14:05:40 -0800 (PST)
    Date: Sun, 26 Mar 2006 14:05:40 -0800 (PST)
    From: Mail Delivery Subsystem <[email protected]>
    Subject: Warning: could not send message for past 4 hours
    To: [email protected]
    Message-id: <[email protected]>
    Auto-submitted: auto-generated (warning-timeout)
    MIME-version: 1.0
    Content-type: multipart/report;
    boundary="k2QM40Ya000383.1143410740/smtpout.mac.com";
    report-type=delivery-status
    Original-recipient: rfc822;[email protected]
    This is a MIME-encapsulated message
    --k2QM40Ya000383.1143410740/smtpout.mac.com
    ** THIS IS A WARNING MESSAGE ONLY **
    ** YOU DO NOT NEED TO RESEND YOUR MESSAGE **
    The original message was received at Sun, 26 Mar 2006 09:34:26 -0800 (PST)
    from smtpin03-en2 [10.13.10.148]
    ----- Transcript of session follows -----
    ... while talking to mail.kaisernetwork.us.:
    DATA
    <<< 451 Server configuration error
    <[email protected]>... Deferred: 451 Server configuration error
    <<< 554 Error: no valid recipients
    Warning: message still undelivered after 4 hours
    Will keep trying until message is 4 days old
    --k2QM40Ya000383.1143410740/smtpout.mac.com
    Content-Type: message/delivery-status
    Reporting-MTA: dns; smtpout.mac.com
    Arrival-Date: Sun, 26 Mar 2006 09:34:26 -0800 (PST)
    Final-Recipient: RFC822; [email protected]
    Action: delayed
    Status: 4.3.0
    Remote-MTA: DNS; mail.kaisernetwork.us
    Diagnostic-Code: SMTP; 451 Server configuration error
    Last-Attempt-Date: Sun, 26 Mar 2006 14:05:40 -0800 (PST)
    --k2QM40Ya000383.1143410740/smtpout.mac.com
    Content-Type: message/rfc822
    Return-Path: <[email protected]>
    Received: from mac.com (smtpin03-en2 [10.13.10.148])
    by smtpout.mac.com (Xserve/8.12.11/smtpout05/MantshX 4.0) with ESMTP id k2QHYQq5016724
    for <[email protected]>; Sun, 26 Mar 2006 09:34:26 -0800 (PST)
    Received: from [192.168.225.195] (dsl093-012-143.cle1.dsl.speakeasy.net [66.93.12.143])
    (authenticated bits=0)
    by mac.com (Xserve/smtpin03/MantshX 4.0) with ESMTP id k2QHYM4o005075
    (version=TLSv1/SSLv3 cipher=DES-CBC3-SHA bits=168 verify=NO)
    for <[email protected]>; Sun, 26 Mar 2006 09:34:25 -0800 (PST)
    User-Agent: Microsoft-Entourage/11.2.3.060209
    Date: Sun, 26 Mar 2006 12:34:22 -0500
    Subject: Test
    From: Eric Kaiser <[email protected]>
    To: <[email protected]>
    Message-ID: <C04C3ACE.746D%[email protected]>
    Thread-Topic: Test
    Thread-Index: AcZQ+4Szwz53xLzuEdqN/QAKlbRzag==
    Mime-version: 1.0
    Content-type: multipart/alternative;
    boundary="B32262212662452496"
    This message is in MIME format. Since your mail reader does not understand
    this format, some or all of this message may not be legible.
    --B32262212662452496
    Content-type: text/plain;
    charset="US-ASCII"
    Content-transfer-encoding: 7bit
    Test
    --k2QM40Ya000383.1143410740/smtpout.mac.com--
    Mar 26 18:36:12 powermacg4 postfix/smtpd[9633]: NOQUEUE: reject: RCPT from test.dnsstuff.com[66.36.241.109]: 451 Server configuration error; from= to=<postmaster@[66.93.12.106]> proto=SMTP helo=<test.DNSreport.com>
    Mar 26 18:36:12 powermacg4 postfix/smtpd[9633]: warning: unknown smtpd restriction: "sbl-xbl.spamhaus.org"
    Mar 26 18:36:12 powermacg4 postfix/smtpd[9633]: NOQUEUE: reject: RCPT from test.dnsstuff.com[66.36.241.109]: 451 Server configuration error; from= to=<[email protected]m> proto=SMTP helo=<test.DNSreport.com>
    Mar 26 18:36:12 powermacg4 postfix/cleanup[9635]: B8AD84507A: message-id=<[email protected]>
    Mar 26 18:36:12 powermacg4 postfix/smtpd[9633]: disconnect from test.dnsstuff.com[66.36.241.109]
    Mar 26 18:36:12 powermacg4 postfix/qmgr[8260]: B8AD84507A: from=<[email protected]>, size=982, nrcpt=1 (queue active)
    Mar 26 18:36:12 powermacg4 postfix/local[9636]: B8AD84507A: to=<[email protected]>, orig_to=<postmaster>, relay=local, delay=0, status=sent (delivered to file: /dev/null)
    Mar 26 18:36:12 powermacg4 postfix/qmgr[8260]: B8AD84507A: removed
    Mar 26 18:44:50 powermacg4 postfix/smtpd[9746]: connect from smtpout.mac.com[17.250.248.97]
    Mar 26 18:44:50 powermacg4 postfix/smtpd[9746]: warning: unknown smtpd restriction: "sbl-xbl.spamhaus.org"
    Mar 26 18:44:50 powermacg4 postfix/smtpd[9746]: NOQUEUE: reject: RCPT from smtpout.mac.com[17.250.248.97]: 451 Server configuration error; from=<[email protected]> to=<[email protected]> proto=ESMTP helo=<smtpout.mac.com>
    Mar 26 18:45:08 powermacg4 postfix/cleanup[9751]: 0ADFF45096: message-id=<[email protected]>
    Mar 26 18:45:08 powermacg4 postfix/smtpd[9746]: disconnect from smtpout.mac.com[17.250.248.97]
    Mar 26 18:45:08 powermacg4 postfix/qmgr[8260]: 0ADFF45096: from=<[email protected]>, size=935, nrcpt=1 (queue active)
    Mar 26 18:45:08 powermacg4 postfix/local[9752]: 0ADFF45096: to=<[email protected]>, orig_to=<postmaster>, relay=local, delay=0, status=sent (delivered to file: /dev/null)
    Mar 26 18:45:08 powermacg4 postfix/qmgr[8260]: 0ADFF45096: removed
    Mar 26 18:50:44 powermacg4 postfix/smtpd[9828]: connect from mail2.sea5.speakeasy.net[69.17.117.4]
    Mar 26 18:50:45 powermacg4 postfix/smtpd[9828]: warning: unknown smtpd restriction: "sbl-xbl.spamhaus.org"
    Mar 26 18:50:45 powermacg4 postfix/smtpd[9828]: NOQUEUE: reject: RCPT from mail2.sea5.speakeasy.net[69.17.117.4]: 451 Server configuration error; from=<[email protected]> to=<[email protected]> proto=ESMTP helo=<mail2.sea5.speakeasy.net>
    Mar 26 18:50:45 powermacg4 postfix/cleanup[9830]: 32EC9450A8: message-id=<[email protected]>
    Mar 26 18:50:45 powermacg4 postfix/smtpd[9828]: disconnect from mail2.sea5.speakeasy.net[69.17.117.4]
    Mar 26 18:50:45 powermacg4 postfix/qmgr[8260]: 32EC9450A8: from=<[email protected]>, size=1127, nrcpt=1 (queue active)
    Mar 26 18:50:45 powermacg4 postfix/local[9831]: 32EC9450A8: to=<[email protected]>, orig_to=<postmaster>, relay=local, delay=0, status=sent (delivered to file: /dev/null)
    Mar 26 18:50:45 powermacg4 postfix/qmgr[8260]: 32EC9450A8: removed
    Mar 26 19:01:40 powermacg4 postfix/postfix-script: refreshing the Postfix mail system
    Mar 26 19:01:40 powermacg4 postfix/master[8258]: reload configuration
    Mar 26 19:02:01 powermacg4 postfix/smtpd[9970]: connect from test.dnsstuff.com[66.36.241.109]
    Mar 26 19:02:02 powermacg4 postfix/smtpd[9970]: warning: unknown smtpd restriction: "sbl-xbl.spamhaus.org"
    Mar 26 19:02:02 powermacg4 postfix/smtpd[9970]: NOQUEUE: reject: RCPT from test.dnsstuff.com[66.36.241.109]: 451 Server configuration error; from=<[email protected]> to=<[email protected]> proto=SMTP helo=<test.DNSreport.com>
    Mar 26 19:02:02 powermacg4 postfix/smtpd[9970]: lost connection after RCPT from test.dnsstuff.com[66.36.241.109]
    Mar 26 19:02:02 powermacg4 postfix/cleanup[9972]: 4E106450DE: message-id=<[email protected]>
    Mar 26 19:02:02 powermacg4 postfix/smtpd[9970]: disconnect from test.dnsstuff.com[66.36.241.109]
    Mar 26 19:02:02 powermacg4 postfix/qmgr[9956]: 4E106450DE: from=<[email protected]>, size=741, nrcpt=1 (queue active)
    Mar 26 19:02:02 powermacg4 postfix/local[9973]: 4E106450DE: to=<[email protected]>, orig_to=<postmaster>, relay=local, delay=0, status=sent (delivered to file: /dev/null)
    Mar 26 19:02:02 powermacg4 postfix/qmgr[9956]: 4E106450DE: removed
    Mar 26 19:04:48 powermacg4 postfix/smtpd[10003]: connect from smtpout.mac.com[17.250.248.97]
    Mar 26 19:04:48 powermacg4 postfix/smtpd[10003]: warning: unknown smtpd restriction: "sbl-xbl.spamhaus.org"
    Mar 26 19:04:48 powermacg4 postfix/smtpd[10003]: NOQUEUE: reject: RCPT from smtpout.mac.com[17.250.248.97]: 451 Server configuration error; from=<[email protected]> to=<[email protected]> proto=ESMTP helo=<smtpout.mac.com>
    Mar 26 19:04:54 powermacg4 postfix/cleanup[10007]: 1868B450E6: message-id=<[email protected]>
    Mar 26 19:04:54 powermacg4 postfix/smtpd[10003]: disconnect from smtpout.mac.com[17.250.248.97]
    Mar 26 19:04:54 powermacg4 postfix/qmgr[9956]: 1868B450E6: from=<[email protected]>, size=935, nrcpt=1 (queue active)
    Mar 26 19:04:54 powermacg4 postfix/local[10008]: 1868B450E6: to=<[email protected]>, orig_to=<postmaster>, relay=local, delay=0, status=sent (delivered to file: /dev/null)
    Mar 26 19:04:54 powermacg4 postfix/qmgr[9956]: 1868B450E6: removed
    I know there is a lot of info, and I greatly appreciate the time and effort of anybody willing to look at this. I'm trying to be complete with my first post.
    Thanks in advance.
    Eric
    PowerMac G5 2GHz DP   Mac OS X (10.4.5)  

    Well, spamhaus is listed twice, the first time incorrectly as noted.
    You can use the "mapsrbldomains = " syntax, but your Postfix logs themselves will tell you this is now deprecated.
    Agreed though: a good idea to separate the rbl options on their own line.
    smtpdclientrestrictions = permit_mynetworks
    rejectrblclient sbl-xbl.spamhaus.org rejectrblclient dnsbl.sorbs.net
    If you indent with whitespace then the line will not be interpreted as a new restriction but part of the prior one.
    So you could even format it as:
    smtpdclientrestrictions = permit_mynetworks
    rejectrblclient sbl-xbl.spamhaus.org
    rejectrblclient dnsbl.sorbs.net
    If you're serious about taking full advantage of the anti-UCE abilities of Postfix, I suggest reading at http://www.postfix.org/docs.html
    starting at UCE/Virus. Ignore linux and other OS-specific tips, or proceed with caution.
    http://jimsun.linxnet.com/misc/postfix-anti-UCE.txt
    http://www.mengwong.com/misc/postfix-uce-guide.txt
    http://www.mengwong.com/misc/postfix-uce-guide.txt
    http://sbserv.stahl.bau.tu-bs.de/~hildeb/postfix/
    Of course, use at your own risk. But if used judiciously, also your benefit. Backup all config files before editing.

  • Clarification and Understand about bounced mail

    Dear All,
    Following is bounced mail. When mail sent from @bluefish.com domain to @silkways.net exchange mail server. Sender got the following bounce mail.
     I want to know where is this problem and it is
     @bluefish.com mail server problem or @silkways.net mail server problem.
     Our exchange 2010 mail server and our domain is @silkways.net.
     we hide original mail address!!
    -----Original Message----- From: Mail Delivery Subsystem [mailto:[email protected]] Sent: Friday, December 27, 2013 10:23 AM To:
    [email protected] Subject: Warning: could not send message for past 15 minutes    **********************************************    **      THIS IS A WARNING
    MESSAGE ONLY      **    **  YOU DO NOT NEED TO RESEND YOUR MESSAGE  **    ********************************************** The original message was received at Fri, 27 Dec 2013 03:07:44 +0100
     ----- The following addresses had transient non-fatal errors ----- <[email protected]> <[email protected]>  ----- Transcript of session follows -----
    Warning: message still undelivered after 15 minutes Will keep trying until message is 24 hours old
     thanks,
    Qamrul

    Hi Qamrul,
    As the error shows it's warning and a temporary error. The system will try to send again and will correct it
    Regards from ExchangeOnline.in|Windows Administrator Area | Skype:[email protected]

Maybe you are looking for

  • Cannot add shared Contacts in Open Directory from a client

    Hello all I need to transfer vCards from a local Address book to the Server and I need them to be shown in each client's Address book. *Problem 1:* I cannot add or edit shared contact using the Directory app. from a client to a 10.5.3 Server. Only th

  • Creating a job for a procedure with an input parameter

    Hi, I want to create a job for a procedure ( sp_proc ) with a input parameter. The input parameter is a date value. As per the syntax for dbms_job.submit procedure; dbms_job.submit ( job IN BINARY_INTEGER, what IN VARCHAR2, next_date IN DATE, interva

  • Error with YTD Share measure from OLAP AW in OBIEE

    I've created an AW using AWM 11g, created an OBIEE repository that uses it, and I'm having trouble getting a particular calculated measure to display in OBIEE. I've created a measure called YTD_SHR_REG_PROF, which is the YTD Share of Profit for the R

  • Create a playable dvd from movie file

    can anyone suggest any good free software for turning video files (.avi .mpg etc) into a dvd playable on a dvd player?

  • I can't hear Skype sounds, at all...

    All of a sudden, in the middle of a call I was in, Skype sounds just stopped. I tried recalling, nothing. Restarting skype, nothing. Restarting computer, nothing. Reinstalling skype, nothing. I'm getting very frustrated with this. I can hear all othe