Getdescrip​tionex not working in parallel proces model

Hi All,
          In parallel process model, I would like to get the description of the called step. So I make use of the function Runstate.CallingStep.GetDescriptionEx(0) in the ProcessModelPostStep sequence. TestStand is getting hanged once the control reaches that particular step. I used the same function in the Sequential Process model I didn't face any problem over there.
How shall I get the description of the client sequence Step? Is there any alternative way..?
Thanks
Arun Prasath E G

Hi Arun,
When you modify the ProcessModelPostStep (or any other ProcessModel... callback), it only affects the particular Process Model that you modify the callback on.
Did you add the custom step to the callbacks of both the ParallelModel.seq and the SequentialModel.seq files? You might have just modified the Sequential Model and not the Parallel Model.
Also, another option you might want to persue (based on what you are trying to accomplish) would be to simply use the Sequence File callback, SequenceFilePostStep. This will affect all the process models, but only for a single sequence file.
Here is an article that discusses the differences:
KnowledgeBase 2LT9BI6E: What is the Difference Between Using a "SequenceFile..." callback and a "Pro...
Jervin Justin
NI TestStand Product Manager

Similar Messages

  • Ctrl/Alt Keys not Working in Parallels

    Hi,
    I'm running Illustrator CS6 using Parallels Desktop 8 and Windows 7. It appears that the ctrl/alt keys do not work. Has anyone found a solution? I've tried resetting my preferences and restarting my computer. Any help would be greatly appreciaed.

    Although this is an old thread, I also seem to be having the same sort of issues with Illustrator CS2 in Snow Leopard running under Parallels Desktop 9.
    Re. the proposed solution, there does not seem to be a 'Virtual Machine -> Configure -> Options -> Advanced -> Optimize modifier keys for games' option in Desktop 9 - or I've not found it.
    I will pursue this in the Parallels forums, but if anyone here has found a solution, I'd be interested to hear it.

  • Recreating foreign key not working? two proc one to drop constraint and another to recreate foreign constraint in database?

    CREATE PROC [dbo].[SP_DropForeignKeys] 
    AS
    BEGIN
    DECLARE @FKTABLE_OWNER SYSNAME, @FKTABLE_NAME sysname, @FK_Name sysname
    DECLARE Cursor_DisableForeignKey CURSOR FOR  
    SELECT   schema_name(schema_id), object_name(parent_object_id), name
    FROM   sys.foreign_keys
    OPEN Cursor_DisableForeignKey
    FETCH NEXT FROM   Cursor_DisableForeignKey  
    INTO  @FKTABLE_OWNER  , @FKTABLE_NAME, @FK_Name 
    DECLARE @SQL nvarchar(max)
    WHILE @@FETCH_STATUS = 0   
    BEGIN  
    SET @SQL  = 'ALTER TABLE [' + @FKTABLE_OWNER + '].[' + @FKTABLE_NAME   
               + ']  DROP CONSTRAINT [' + @FK_NAME + ']'  
    select @sql
    EXECUTE (@SQL)
    FETCH NEXT FROM   Cursor_DisableForeignKey INTO @FKTABLE_OWNER, @FKTABLE_NAME, @FK_Name
    END  
    CLOSE Cursor_DisableForeignKey
    DEALLOCATE Cursor_DisableForeignKey
    END
    create proc [dbo].[SP_CreateForeignKeys]
    as
    DECLARE @schema_name sysname;
    DECLARE @table_name sysname;
    DECLARE @constraint_name sysname;
    DECLARE @constraint_object_id int;
    DECLARE @referenced_object_name sysname;
    DECLARE @is_disabled bit;
    DECLARE @is_not_for_replication bit;
    DECLARE @is_not_trusted bit;
    DECLARE @delete_referential_action tinyint;
    DECLARE @update_referential_action tinyint;
    DECLARE @tsql nvarchar(4000);
    DECLARE @tsql2 nvarchar(4000);
    DECLARE @fkCol sysname;
    DECLARE @pkCol sysname;
    DECLARE @col1 bit;
    DECLARE @action char(6);
    SET @action = 'CREATE';
    DECLARE FKcursor CURSOR FOR
        select OBJECT_SCHEMA_NAME(parent_object_id)
             , OBJECT_NAME(parent_object_id), name, OBJECT_NAME(referenced_object_id)
             , object_id
             , is_disabled, is_not_for_replication, is_not_trusted
             , delete_referential_action, update_referential_action
        from sys.foreign_keys
        order by 1,2;
    OPEN FKcursor;
    FETCH NEXT FROM FKcursor INTO @schema_name, @table_name, @constraint_name
        , @referenced_object_name, @constraint_object_id
        , @is_disabled, @is_not_for_replication, @is_not_trusted
        , @delete_referential_action, @update_referential_action;
    WHILE @@FETCH_STATUS = 0
    BEGIN
              BEGIN
            SET @tsql = 'ALTER TABLE '
                      + QUOTENAME(@schema_name) + '.' + QUOTENAME(@table_name)
                      + CASE @is_not_trusted
                            WHEN 0 THEN ' WITH CHECK '
                            ELSE ' WITH NOCHECK '
                        END
                      + ' ADD CONSTRAINT ' + QUOTENAME(@constraint_name)
                      + ' FOREIGN KEY ('
            SET @tsql2 = '';
            DECLARE ColumnCursor CURSOR FOR
                select COL_NAME(fk.parent_object_id, fkc.parent_column_id)
                     , COL_NAME(fk.referenced_object_id, fkc.referenced_column_id)
                from sys.foreign_keys fk
                inner join sys.foreign_key_columns fkc
                on fk.object_id = fkc.constraint_object_id
                where fkc.constraint_object_id = @constraint_object_id
                order by fkc.constraint_column_id;
            OPEN ColumnCursor;
            SET @col1 = 1;
            FETCH NEXT FROM ColumnCursor INTO @fkCol, @pkCol;
            WHILE @@FETCH_STATUS = 0
            BEGIN
                IF (@col1 = 1)
                    SET @col1 = 0
                ELSE
                BEGIN
                    SET @tsql = @tsql + ',';
                    SET @tsql2 = @tsql2 + ',';
                END;
                SET @tsql = @tsql + QUOTENAME(@fkCol);
                SET @tsql2 = @tsql2 + QUOTENAME(@pkCol);
                FETCH NEXT FROM ColumnCursor INTO @fkCol, @pkCol;
            END;
            CLOSE ColumnCursor;
            DEALLOCATE ColumnCursor;
            SET @tsql = @tsql + ' ) REFERENCES ' + QUOTENAME(@schema_name) + '.' + QUOTENAME(@referenced_object_name)
                      + ' (' + @tsql2 + ')';           
            SET @tsql = @tsql
                      + ' ON UPDATE ' + CASE @update_referential_action
                                            WHEN 0 THEN 'NO ACTION '
                                            WHEN 1 THEN 'CASCADE '
                                            WHEN 2 THEN 'SET NULL '
                                            ELSE 'SET DEFAULT '
                                        END
                      + ' ON DELETE ' + CASE @delete_referential_action
                                            WHEN 0 THEN 'NO ACTION '
                                            WHEN 1 THEN 'CASCADE '
                                            WHEN 2 THEN 'SET NULL '
                                            ELSE 'SET DEFAULT '
                                        END
                      + CASE @is_not_for_replication
                            WHEN 1 THEN ' NOT FOR REPLICATION '
                            ELSE ''
                        END
                      + ';';
            END;
        PRINT @tsql;
        IF @action = 'CREATE'
            BEGIN
            SET @tsql = 'ALTER TABLE '
                      + QUOTENAME(@schema_name) + '.' + QUOTENAME(@table_name)
                      + CASE @is_disabled
                            WHEN 0 THEN ' CHECK '
                            ELSE ' NOCHECK '
                        END
                      + 'CONSTRAINT ' + QUOTENAME(@constraint_name)
                      + ';';
            PRINT @tsql;
            END;
        FETCH NEXT FROM FKcursor INTO @schema_name, @table_name, @constraint_name
            , @referenced_object_name, @constraint_object_id
            , @is_disabled, @is_not_for_replication, @is_not_trusted
            , @delete_referential_action, @update_referential_action;
    END;
    CLOSE FKcursor;
    DEALLOCATE FKcursor;
    GO
    exec [dbo].[SP_DropForeignKeys] 
    exec [dbo].[SP_CreateForeignKeys]
    droped proc worked perfect but when i execute [dbo].[SP_CreateForeignKeys] and try to see again foreign key constraints but result is empty?
    can anybody suggest me what's wrong with these script?

    droped proc worked perfect but when i execute [dbo].[SP_CreateForeignKeys] and try to see again foreign key constraints but result is empty?
    Well, if you have dropped the keys, you have dropped them. They can't be recreated out of the blue. You need to use modify procedure to save the ALTER TABLE statements in a temp table, drop the keys, truncate the tables, and the run a cursor over the
    temp table. In a single transaction, so that you don't lose the keys if the server crashes half-way through.
    Erland Sommarskog, SQL Server MVP, [email protected]

  • ATP FUNCTIONALITY NOT WORKING CORRECTLY FOR ATO Model

    Guru's,
    Currently I am facing issue in ATP Inquiry to arrive at schedule ship date, we have set up an ATO Model and its low-level parts for multi level ATP, including ATP rules, item attributes, bom attributes, and lead times and ATP check is based on planned output and enabled 24X7 plan.
    When try to perform ATP inquiry either from ASCP/OM responsibility, Instead of showing complete drill down of material constraint at the part level, it "stops" at the model level and shows no availability until the inifinte supply timefence, then unlimited availability after that.
    I was earlier able to view the complete ATP pegging details with ATP dates well within ITF, but however when we re run the plan to include additional SO the above behavior is observed.
    Can some one help me to reslove the issue, as I am not sure what exactly which is triggering this behavior.
    Thanks,

    Thanks for the reply, but this note was not addressing the above stated issue. In this note for matched configuration, they are not able to view pegging else they are able to perform multilevel atp check.
    Can anyone help me to reslove this issue.
    Thanks
    Edited by: user604737 on Jun 18, 2011 4:48 AM
    Edited by: user604737 on Jun 19, 2011 11:50 PM

  • Photoshop "save as" dialog not working on Parallels

    I have Photoshop CS5 running on a MacBook OS 10.8 under Parallels/Windows XP.  When I try to "Save as", the dialog box does not come up.  I have installed the latest update.  The other CS5 programs (e.g., Dreamweaver and Fireworks) do not have this problem.  Also, when I try to do a "Save for Web and Devices", the dialog box DOES come up, but it is oversized for the window and cannot be resized to make the control buttons accessible.
    Any suggestions would be most welcome.

    Hi Noel!  Thanks for the suggestion.  I tried to fiddle with the window resolution in the control panel.  This made a mess...but in the process I discovered that if I run Photoshop in Coherence mode (i.e., not inside with Windows "window"), the dialogue box shows up.  So, your suggestion about the window resolution did solve the problem.
    Thank you!

  • AA3 Installation Not working in Parallels on MBPro

    Hello all. I'm a little bewildered by this one. I recently took delivery of my i7, 15" MacBook Pro, 8GB RAM, 500GB HDD... Running Windows 7 in Parallels Desktop.
    I go to run the AA3.0 installer, i get the option to choose my language, then i get a quick dialog that says "Preparing Installation..." and then it disappears and nothing happens. No installer begins running, nothing is running in Applications/Services/Processes.. nothing... I've tried installed Flash Player first, i tried running in Compatability mode, running as Administrator and the same issue recurs over and over.
    There is nothing else Adobe on this VM... i've disabled all spyware, antivirus or protection of any kind and still the same problem.
    Any ideas? Anyone seen this? I really want to finalize my transition to my MacBook Pro but this is a large stumbling block for me.
    Thanks in advance,
    Marc

    Interesting development/solution: after walking away from the issue for a day I revisited it and instead of running the Audition Setup file i ran a file called components.msi- this one fan without fail and the installation worked seamlessly.
    Still unsure as to the reason that the actual installer keeps failing but this work-around may assist others if experienced.
    Thanks Blair.

  • Sandisk extreme firewire reader not working on new MBP models(unibody))

    hey all,
    so I have the sandisk extreme firewire CF reader since 2008. It works great on my 15" Macbook Pro2.2 (C2D 2.16ghz)
    Recently(actually in march) I purchased the new thunderbolt 15" MacbookPro(2.2GHz).
    At first the firewire card reader works fine on the new MBP. But somehow in May it stopped working(running SL). The CF card wouldnt mount, in System Profile it wouldn't even display the device. Even after I installed Lion it still wouldnt work. The only way for it to work is to daisychain it onto a firewire external harddrive and hook it up to the macbookpro.
    It's super weird. I've contacted sandisk's web support(WHAT?! only web support but no phone, for such a big company?!), they said it was use the card-reader was due to power issues and told me to contact Apple to resolve the issue.
    I later on tried the card reader on numberious mac's. Turns out that most Unibody machines wont work with it.(the weird thing is, when i just got my Thunderbolt unibody, it worked perfectly fine, for a while) But back on my old Macbook Pro2,2 from 2007(which is currently running OSX 10.6.8), it's works like a champ.(going to install 10.7 Lion and see how it goes)
    And at the meantime I donno whether it's the card readers issue or not?(sandisk wouldnt replace the thing for me)
    So anyone got any experience or insight of the situation?
    thanks
    PS.
    To make things worse, Sandisk discontinued the extreme firewire reader,(they do have the expresscard reader, but the new 15" dont have a expresscard slot)
    So now we're left with those stupid slow USB2.0 card readers while the size and the speed of those flash memory cards are getting faster and bigger each day.

    I'm pretty much giving up on this issue.
    I just found a very rare new lexar fw800 reader online for $80. Hope it works.
    fun fact: the SanDisk fw card reader works on the MacPros,new MacMini's/server, even the thunderbolt display w/ the fw800.

  • RDP App not working with Parallel

    I purchased the RDP app (remote desktop) on my Ipad and was in Windows XP vis bootcamp on my Mac. RDP operated fine under this system. I then installed Parallel to operate Windows software in virtual mode on my Mac and now RDP cannot find my computer. Any suggestions?

    Thanks, the virtual system was pulling a different IP address. I enter the new IP address and it makes a long effort to try to connect but fails after a minute or so. I am wondering if the firewall is preventing access to the default port 3389. Being a novice, I have no idea on how to view firewall settings. Any further suggestions?

  • RBS maintainance job Orphan cleanup not working

    The problem are that Orphan cleanup won't start up. He starting up. chekcking pools and always stuck on 5 pool. And can delete other pool data.
    The command I'm runing:
    > C: cd "C:\Program Files\Microsoft SQL Remote Blob Storage
    > 10.50\Maintainer" "Microsoft.Data.SqlRemoteBlobs.Maintainer.exe" -ConnectionStringName RBSMaintainerConnection -Operation GarbageCollection ConsistencyCheck ConsistencyCheckForStores
    > -GarbageCollectionPhases rdo -ConsistencyCheckMode r >> SIS_RBS_NOTIME_Maintainer%date%.log
    The Error I'm getting:
    This task has ended. Processed 334 work units total. 0 Work units were incomplete. Needed to delete 1606751 blobs. Succeeded in deleting 1606751 blobs, 0 blobs were not found in the blob store.
    Starting Orphan Cleanup.
    Starting Orphan Cleanup for pool <PoolId 25, BlobStoreId 1, StorePoolId 0x19000000>.
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    Starting Orphan Cleanup for pool <PoolId 270, BlobStoreId 1, StorePoolId 0x0e010000>.
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    Starting Orphan Cleanup for pool <PoolId 94, BlobStoreId 1, StorePoolId 0x5e000000>.
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    Starting Orphan Cleanup for pool <PoolId 122, BlobStoreId 1, StorePoolId 0x7a000000>.
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    Starting Orphan Cleanup for pool <PoolId 154, BlobStoreId 1, StorePoolId 0x9a000000>.
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    No work is available at this time.
    Other clients, processes or threads may be currently working on other tasks.
    This task has ended. Processed 6 work units total. 5 Work units were incomplete. Needed to delete 0 blobs. Succeeded in deleting 0 blobs, 0 blobs were not found in the blob store. Enumerated 0 blobs, 0 blobs are being considered for orphan cleanup.
    This task has ended.
    The Event viewer shows:
    Message ID:2, Level:ERR , Process:8244, Thread:1
    Skipping the current unit of work because of an error. For more information, see the RBS Maintainer log.
    Operation: WorkExecute
    BlobStoreId: 0
    Log Time: 2015.02.04 23:43:47
    Message ID:3, Level:ERR , Process:8244, Thread:1
    Skipping unit of work <PoolId 25, BlobStoreId 1, StorePoolId 0x19000000> because of an error. For more information, see the RBS Maintainer log.
    Operation: WorkExecute
    BlobStoreId: 0
    Log Time: 2015.02.04 23:43:47
    Exception: System.Data.SqlClient.SqlException: The ROLLBACK TRANSACTION request has no corresponding BEGIN TRANSACTION.
    Internal error in RBS. rbs_sp_gc_get_slice did not find any work unit.
    at System.Data.SqlClient.SqlConnection.OnError(SqlException exception, Boolean breakConnection)
    at System.Data.SqlClient.TdsParser.ThrowExceptionAndWarning(TdsParserStateObject stateObj)
    at System.Data.SqlClient.TdsParser.Run(RunBehavior runBehavior, SqlCommand cmdHandler, SqlDataReader dataStream, BulkCopySimpleResultSet bulkCopyHandler, TdsParserStateObject stateObj)
    at System.Data.SqlClient.SqlCommand.FinishExecuteReader(SqlDataReader ds, RunBehavior runBehavior, String resetOptionsString)
    at System.Data.SqlClient.SqlCommand.RunExecuteReaderTds(CommandBehavior cmdBehavior, RunBehavior runBehavior, Boolean returnStream, Boolean async)
    at System.Data.SqlClient.SqlCommand.RunExecuteReader(CommandBehavior cmdBehavior, RunBehavior runBehavior, Boolean returnStream, String method, DbAsyncResult result)
    at System.Data.SqlClient.SqlCommand.InternalExecuteNonQuery(DbAsyncResult result, String methodName, Boolean sendToPipe)
    at System.Data.SqlClient.SqlCommand.ExecuteNonQuery()
    at Microsoft.Data.SqlRemoteBlobs.SqlOperations.ExecuteNonQuery(RemoteBlobCommand commandObject, SqlCommand command)
    at Microsoft.Data.SqlRemoteBlobs.Maintainer.BeginEnumerateCommand.ExecuteDatabaseOperation2()
    at Microsoft.Data.SqlRemoteBlobs.RemoteBlobCommand.ExecuteInternal()
    at Microsoft.Data.SqlRemoteBlobs.RemoteBlobCommand.Execute()
    at Microsoft.Data.SqlRemoteBlobs.Maintainer.OrphanCleanup.ProcessPoolOrSlice(Int32 nestingDepth, SqlRemoteBlobContext context, BlobDetails blobDetails, Request parentRequest)
    at Microsoft.Data.SqlRemoteBlobs.Maintainer.WorkExecutor.ExecutePool(Int32 nestingDepth, SqlRemoteBlobContext context)
    at Microsoft.Data.SqlRemoteBlobs.Maintainer.OrphanCleanup.ProcessWorkUnit(Int32 nestingDepth, SqlRemoteBlobContext context)
    at Microsoft.Data.SqlRemoteBlobs.Maintainer.WorkExecutor.Execute(Int32 nestingDepth)
    Also in database for those pools the work_state = 20. To other pools work_state = 30.
    Are its possible to repair or just skip that pools to clean up the database?

    One more problem. 
    First starting Reference scan:
    Reference Scan is complete for this database.
    Scanned 39623 blobs. Deleted 163 blobs in the range of 0x000000000437ff8a00000001(exclusive) to 0x0000000004389a5100000001(inclusive).
    This task has ended. Processed 619 work units total. 0 Work units were incomplete.
    Second is Starting Delete Propagation:
    Delete Propagation complete for pool <PoolId 256, BlobStoreId 1, StorePoolId 0xff000000>.
    0 Delete for 0 blobs attempted, 0 blobs were deleted. 0 blobs were not found in the blob store. For more information, see the RBS Maintainer log.
    Delete Propagation is complete for this database.
    This task has ended. Processed 355 work units total. 0 Work units were incomplete. Needed to delete 280542 blobs. Succeeded in deleting 280542 blobs, 0 blobs were not found in the blob store.
    Third one is Orphan Cleanup:
    Starting Orphan Cleanup.
    Starting Orphan Cleanup for pool <PoolId 354, BlobStoreId 1, StorePoolId 0x62010000>.
    Enumerated 172683 blobs, 172683 blobs are being considered for orphan cleanup.
    Orphan Cleanup complete for pool <PoolId 354, BlobStoreId 1, StorePoolId 0x62010000>.
    0 Delete for 0 blobs attempted, 0 blobs were deleted. 0 blobs were not found in the blob store. For more information, see the RBS Maintainer log.
    Starting Orphan Cleanup for pool <PoolId 355, BlobStoreId 1, StorePoolId 0x63010000>.
    Enumerated 15124 blobs, 15124 blobs are being considered for orphan cleanup.
    Orphan Cleanup complete for pool <PoolId 355, BlobStoreId 1, StorePoolId 0x63010000>.
    0 Delete for 0 blobs attempted, 0 blobs were deleted. 0 blobs were not found in the blob store. For more information, see the RBS Maintainer log.
    Orphan Cleanup is complete for this database.
    This task has ended. Processed 2 work units total. 0 Work units were incomplete. Needed to delete 0 blobs. Succeeded in deleting 0 blobs, 0 blobs were not found in the blob store. Enumerated 187807 blobs, 187807 blobs are being considered for orphan cleanup.
    This task has ended.
    Starting RBS consistency check with attempt to repair.
    No RBS consistency issues found.
    Consistency check completed.
    Initializing consistency check for stores.
    Starting basic consistency check on blob store <1:FilestreamProvider_1>.
    Consistency check on blob store <FilestreamProvider_1> returned <Success>.
    This task has ended.
    The problem is that Orphan cleanup cleaning just 2 pool's. At all I have 354 pools. Why orphan not cleaning all pools? 
    I have a 4TB of data with RBS which is 2,5 TB real data and 1,5 TB need to be deleted with RBS, but RBS not working. 
    Database recovery model is Simple. After each RBS maitenance I'm running in database SQL Command: checkpoint; and still all files is remaining in filesystem.
    RBS config: 
    config_key config_value
    blob_store_operation_retry_attempts 3
    column_config_version 1
    column_config_version_of_gc_view 1
    complete_delete_propagation_start_time 2015-02-26T19:59:19.357
    complete_orphan_cleanup_start_time 2015-02-26T19:59:22.343
    complete_reference_scan_start_time 2015-02-26T19:47:08.507
    configuration_check_period time 00:00:00
    db_config_version 11
    default_blob_store_name FilestreamProvider_1
    delete_propagation_compatibility_level 105
    delete_propagation_end_time 2015-02-26T19:59:22.337
    delete_propagation_in_progress false
    delete_propagation_start_time 2015-02-26T19:59:19.357
    delete_scan_period time 00:00:00
    disable_pool_slicing false
    garbage_collection_slice_duration days 7
    garbage_collection_time_window time 00:00:00
    gcd_num_blobs_per_iteration 1000
    gcd_work_unit_keep_alive_time time 00:10:00
    gco_enum_num_blobs_per_iteration 1000
    gco_num_blobs_per_iteration 1000
    gco_work_unit_keep_alive_time time 00:10:00
    gcr_num_blobs_per_iteration 1000
    gcr_num_blobs_per_work_unit 100000
    gcr_work_unit_keep_alive_time time 00:02:00
    history_table_max_size 10000
    history_table_trim_size 1000
    index_reorganize_min_fragmentation 10
    index_reorganize_min_page_count 10000
    maintain_blob_id_compatibility false
    max_consistency_issues_found 1000
    max_consistency_issues_returned 100
    min_client_library_version_required 10.0.0.0
    min_client_library_version_supported 10.0.0.0
    orphan_cleanup_compatibility_level 105
    orphan_cleanup_end_time 2015-02-26T19:59:22.610
    orphan_cleanup_in_progress false
    orphan_cleanup_start_time 2015-02-26T19:59:22.343
    orphan_scan_period time 00:00:00
    rbs_filegroup PRIMARY
    rbs_schema_version 10.50.0.0
    reference_scan_compatibility_level 105
    reference_scan_end_time 2015-02-26T19:59:19.320
    reference_scan_in_progress true
    reference_scan_start_time 2015-02-27T07:02:45.193
    set_trust_server_certificate true
    set_xact_abort false

  • HT4623 ISiri not working

    Hi
    I just updated my ipad and now have Siri but it is not working any suggestions

    Identifying iPad models
    http://support.apple.com/kb/HT5452?viewlocale=en_US&locale=en_US
     Cheers, Tom

  • Hi I have a recent macbook pro 12" (bought in april 2012) model number A1278.  I'm trying to connect to a 23" apple cinema display (A1082) this currently is not working - i've bought an additional Apple MB570ZA Mini DisplayPort to DVI Adapter - no luck!

    Hi I have a recent macbook pro 12" (bought in april 2012) model number A1278.  I'm trying to connect to a 23" apple cinema display (A1082) this currently is not working - i've bought an additional Apple MB570ZA Mini DisplayPort to DVI Adapter - no luck!
    im not sure what to do next - can anyone help?
    im running OSX 10.7.4

    Hi There,
    I have had the exact same issue but with a projector.
    The issue lies with Mountian Lion 10.8.2.
    I tried many a combination with no luck to get HDMI working.
    Took my mac into the apple store and came to the conclusion it was the software, so I asked them to install 10.8 onto it (this is destructive so a backup is a must)
    Bought my macbook home and voila, now displaying through my projector.
    There is a small graphics update after 10.8.1 which seems to be the cause.
    Hope this helps.
    Thanks.

  • To whom it may concern      Hi my name is Silvana Pires,I purchased an I Phone 4 S Model A 1387 EMC 2430 SCC.ID DCG E  2430 AIC.579 C-E 243 A in California one year ago,Unfortunately its Not working well the screen is getting black,and the phone is in goo

    To whom it may concern
    Hi my name is Silvana Pires,I purchased an I Phone 4 S Model A 1387 EMC 2430 SCC.ID DCG E
    2430 AIC.579 C-E 243 A in California one year ago,Unfortunately its Not working well the screen is getting black,and the phone is in good shape I can prove it,the Apple support in Brazil doenst work like in USA.
    I look forward to your reply and a resolution of this problem.
    Thank you very much!!!

    You are welcome. I'm glad you got it back up.
    (1) You say you did the symbolic link. I will assume this is set correctly; it's very important that it is.
    (2) I don't know what you mean by "Been feeding the [email protected] for several weeks now, 700 emails each day at least." After the initial training period, SpamAssassin doesn't learn from mail it has already processed correctly. At this point, you only need to teach SpamAssassin when it is wrong. [email protected] should only be getting spam that is being passed as clean. Likewise, [email protected] should only be getting legitimate mail that is being flagged as junk. You are redirecting mail to both [email protected] and [email protected] ... right? SpamAssassin needs both.
    (3) Next, as I said before, you need to implement those "Frontline spam defense for Mac OS X Server." Once you have that done and issue "postfix reload" you can look at your SMTP log in Server Admin and watch as Postfix blocks one piece of junk mail after another. It's kind of cool.
    (4) Add some SARE rules:
    Visit http://www.rulesemporium.com/rules.htm and download the following rules:
    70sareadult.cf
    70saregenlsubj0.cf
    70sareheader0.cf
    70sarehtml0.cf
    70sareobfu0.cf
    70sareoem.cf
    70sarespoof.cf
    70sarestocks.cf
    70sareunsub.cf
    72sare_redirectpost
    Visit http://www.rulesemporium.com/other-rules.htm and download the following rules:
    backhair.cf
    bogus-virus-warnings.cf
    chickenpox.cf
    weeds.cf
    Copy these rules to /etc/mail/spamassassin/
    Then stop and restart mail services.
    There are other things you can do, and you'll find differing opinions about such things. In general, I think implementing the "Frontline spam defense for Mac OS X Server" and adding the SARE rules will help a lot. Good luck!

  • Macbook Air Late 2010 model, 10.6.7, 2.13 4g ram. Trackpad is not working properly and in sometimes not at all.

    Macbook Air Late 2010 model, 10.6.7, 2.13 4g ram. Trackpad is not working properly and in sometimes not at all. Need suggestions to resolve this issue?  I have applied all Mac updates and still having problems with the trackpad.

    The machine has a 1 year warranty, book an appointment with your local Apple Store or AASP to have it looked at.
    You can try doing a SMC reset however I don't think that is the solution.
    SMC RESET
    • Shut down the computer.
    • Plug in the MagSafe power adapter to a power source, connecting it to the Mac if its not already connected.
    • On the built-in keyboard, press the (left side) Shift-Control-• Option keys and the power button at the same time.
    • Release all the keys and the power button at the same time.
    • Press the power button to turn on the computer.
    PRAM RESET
    • Shut down the computer.
    • Locate the following keys on the keyboard: Command, Option, P, and R. You will need to hold these keys down simultaneously in step 4.
    • Turn on the computer.
    • Press and hold the Command-Option-P-R keys. You must press this key combination before the gray screen appears.
    • Hold the keys down until the computer restarts and you hear the startup sound for the second time.
    • Release the keys.

  • TS1381 My left arrow does not work on my macbook pro(model A1226).  I have reset nvram, performed a safe boot, pulled the cache to desktop, replaced .globalpreference.plist, test all other keys with keyboard view (all others work)  - HELP!!

    My left arrow does not work on my macbook pro(model A1226).
    I have reset nvram, performed a safe boot, pulled the cache to desktop, replaced .globalpreference.plist, & tested all other keys with "keyboard viewer" (all other keys work except for the arrow). 
    In addition, I have gone thru all the recommended checks with universal access and have booted from snow leopard dvd and the left arrow still does not work. 
    I have tried using the left arrow key in all of applications I use such as: excel, ms word, address book, calendar, iphoto, terminal, & highlighting an icon and using the arrows to move to another selected icon.
    Here is the kicker!  In addition, I purchased a logitech solar bluetooth keyboard and the arrows work fine with my ipad but do not work when paired with the macbook pro. All other keys work fine on the macbook pro using the bluetooth keyboard.
    I believe this says that the problem is not in my macbook pro keyboard. So where can it be?
    Can anyone think of any other rabbit holes I can search?
    thanks and regards
    vats3

    I would also like to add that I've reverted the two cd drive and hard drive mods I did and the laptop is back to factory hardware and there is 0 corrosion or mold visible.

  • Microphone on Macbook pro does not work in windows 7 with parallels

    I recently purchased a Macbook pro with retina display, and installed windows 7 on the macbook with parallels desktop 7.  I found out my microphone was not working correctly inside windows, I did bought my laptop to Apple store, at first we thought it was the microphone problem and exchanged me a new laptop, but the issue still exits, so I bought the laptop back to Apple store, this time we find out it seems like the microphone only not working under the windows, it works just fine in Mac part.
    Apple direct me to windows telling me that I might need to install a device or driver only windows can provide; then when I contacted window, Windows told me I need to contact apple because the device or deriver must provided by the manufacture of the PC.  Both side still direct me back to each other, so I still don't know what deriver or device I needed..........
    When I pull up the device manager inside windows, the only device listed under sound is "Parallels Audio Controller (x64)"
    Another thing is, the microphone still works inside windows 7, it's just not working correctly.  For an example, if I'm doing a live chatting with my friends inside windows, I can hear my friends and they can hear me too, but they cannot hear me very clearly, it seems like there are some kind of negative feedback, it seems like there's an electronic vibrate in my voice.
    Can someone please help me
    Thank you

    Post on the Parallels forums:  http://forums.parallels.com

Maybe you are looking for

  • NoClassDefFoundError - Help me!!!

    Hi everybody I am getting "NoClassDefFoundError" when I try to run my application using Java interpreter. I have rightly given the classpath. Pl. help me. Thank u

  • Problem- first opening of database in WIN XP

    when I try and open the database from the startup screen , it will allow me to enter in the Host Credentials and credentials for the target database, but it will then say starting database and simply return to the start up screen saying the database

  • Having trouble connecting from office to home

    So I downloaded ARD last night finally to address the daily questions from the kids and wife (how do I do this, Can you install this program, etc.) Played around with it a bit last night at the house (FIOS Router to Time Machine Bridge Mode) and loca

  • OC Genie not showing in Win 7

    I have a nice rig that I am wanting to experiment with Icing. I wanted to first try out The OC Genie on my mobo to get an idea of what I was lookin at achieving. I pushed the OC button on my mobo, restarted and entered into bios o check my configs wh

  • Music skipping while playing

    Hey all. For some reason when I play my MP3's through iTunes they seem to be skipping, like a scratched CD almost. All the songs are ones I bought through iTunes so I know it's not that. Any ideas?