Trouble tracking down EXC_BAD_ACCESS error

I'm working on a simple drill down table view app with a navigation view controller and a table view controller. I'm getting an EXCBADACCESS crash when I select a particular table cell view, press back to the previous view in the hierarchy using the navigation item, and then reselecting the same view using the same cell again.
In the .h file, I have:
@interface RootViewController : UITableViewController
UITableViewCell* tableViewCell;
NSMutableArray* listOfItems;
NSDictionary* data;
NSArray* tableDataSource;
@property (nonatomic, assign) IBOutlet UITableViewCell* tableViewCell;
@property (nonatomic, retain) NSDictionary* data;
@property (nonatomic, retain) NSArray* tableDataSource;
And in the .m file:
- (void)viewDidLoad
[super viewDidLoad];
NSString *Path = [[NSBundle mainBundle] bundlePath];
NSString *DataPath = [Path stringByAppendingPathComponent:@"data.plist"];
NSDictionary *tempDict = [[NSDictionary alloc] initWithContentsOfFile:DataPath];
self.data = tempDict;
[tempDict release];
//Initialize our table data source
NSArray *tempArray = [[NSArray alloc] init];
self.tableDataSource = tempArray;
[tempArray release];
self.tableDataSource = [data objectForKey:@"Children"];
self.navigationItem.title = [data objectForKey:@"Title"];
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
NSDictionary* dictionary = [self.tableDataSource objectAtIndex:indexPath.row];
NSArray* children = [dictionary objectForKey:@"Children"];
if(children)
//Prepare to tableview.
RootViewController* rootViewController = [[RootViewController alloc] initWithNibName:@"RootViewController" bundle:[NSBundle mainBundle]];
//Push the new table view on the stack
[self.navigationController pushViewController:rootViewController animated:YES];
NSString* temp = [dictionary objectForKey:@"Title"];
rootViewController.navigationItem.title = [dictionary objectForKey:@"Title"];
rootViewController.tableDataSource = children;
[rootViewController release];
[children release];
The callstack I get seems to vary, but a lot of the time it is related to the fact that it is trying to set the property of a variable that has already been released. When a callstack does appear, it is often related to the setter in the line:
rootViewController.tableDataSource = children;
I've checked the code using NSZombie and MallocStackLogging, but the invalid memory dereferenced seems to vary each time, sometimes it corresponds to rootViewController.data, other times to rootViewController.tableDataSource and sometimes it doesn't correspond to either.
Essentially, the problem seems to be that when the RootViewController for the selected detail view is created, it's member variables are immediately released, although this only seems to be a problem when detail view is loaded a second time after the user has pressed back. The first time the view is selected, it works fine.
I've added a debugging NSDictionary and NSArray category to and, so that I can breakpoint the release method. However, I've checked the addresses of the data and tableDataSource for the rootViewController that is created in didSelectRowAtIndexPath, and compared these with the NSArray self pointers as they are released (the NSDictionary release method is never called), and they never match, so I'm not sure where the problem attribute is being released.
If anybody has any ideas about what this could be, or has any suggestions about other things I could try, I'd be very grateful.

Thanks for explaining the relationship between this thread and the previous one. That info helped.
The cause of the crash was the release of the 'children' array in the last statement of tableView:didSelectRowAtIndexPath:. Prior to that release, the array was retained by its parent dictionary, and by the tableDataSource property of the level-2 controller. After the release, the array's retain count was reduced to one, so when the level-2 controller was popped, the array was dealloced, invalidating that branch of its parent dictionary.
I also made a few other corrections to the code. The most lengthy of these was to keep viewDidLoad from loading the plist more than once. That problem wasn't causing a data error though, since for controllers above level 1, the tableDataSource and navigationItem.title are set by the previous controller after viewDidLoad runs. I.e. the correction just saves an unnecessary file read, but doesn't affect the outcome.
// RootViewController.h
@interface RootViewController : UITableViewController
UITableViewCell* tableViewCell;
// NSMutableArray* listOfItems; // <-- not used
NSDictionary* data;
NSArray* tableDataSource;
int level; // <-- level of controller on the nav stack
@property (nonatomic, assign) IBOutlet UITableViewCell* tableViewCell;
@property (nonatomic, retain) NSDictionary* data;
@property (nonatomic, retain) NSArray* tableDataSource;
@end
// RootViewController.m
#import "RootViewController.h"
@implementation RootViewController
@synthesize tableViewCell, data, tableDataSource;
- (void)viewDidLoad
[super viewDidLoad];
// --> only the level-1 controller should load the plist
level = [self.navigationController.viewControllers count];
NSLog(@"%s: level=%d", _func_, level);
if (level <= 1) {
NSString *Path = [[NSBundle mainBundle] bundlePath];
NSString *DataPath = [Path stringByAppendingPathComponent:@"data.plist"];
NSDictionary *tempDict = [[NSDictionary alloc] initWithContentsOfFile:DataPath];
self.data = tempDict;
[tempDict release];
// --> newly alloced array isn't used
//Initialize our table data source
// NSArray *tempArray = [[NSArray alloc] init];
// self.tableDataSource = tempArray;
// [tempArray release];
self.tableDataSource = [data objectForKey:@"Children"];
self.navigationItem.title = [data objectForKey:@"Title"];
else
;// tableDataSource and navigationItem.title are set by previous controller
#pragma mark Table view methods
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {
return 1;
// Customize the number of rows in the table view.
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
return [tableDataSource count];
// Customize the appearance of table view cells.
- (UITableViewCell *)tableView:(UITableView *)tableView
cellForRowAtIndexPath:(NSIndexPath *)indexPath
static NSString *CellIdentifier = @"TableViewCell";
UITableViewCell *cell = (UITableViewCell*)
[tableView dequeueReusableCellWithIdentifier:CellIdentifier];
if (cell == nil)
// NSLog(@"%s: level=%d row=%d", _func_, level, indexPath.row);
[[NSBundle mainBundle] loadNibNamed:@"TableViewCell" owner:self options:nil];
cell = tableViewCell;
tableViewCell = nil;
// Set up the cell...
NSDictionary *dictionary = [self.tableDataSource objectAtIndex:indexPath.row];
cell.textLabel.text = [dictionary objectForKey:@"Title"];
return cell;
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
// NSLog(@"%s: tableDataSource=%@", _func_, self.tableDataSource);
NSDictionary* dictionary = [self.tableDataSource objectAtIndex:indexPath.row];
// NSLog(@"%s: dictionary=%@", _func_, dictionary);
NSArray* children = [dictionary objectForKey:@"Children"];
// NSLog(@"%s: children=%@", _func_, children);
if(children)
//Prepare to tableview.
RootViewController* rootViewController = [[RootViewController alloc]
initWithNibName:@"RootViewController" bundle:[NSBundle mainBundle]];
//Push the new table view on the stack
[self.navigationController pushViewController:rootViewController animated:YES];
// NSLog(@"%s: stack=%@", _func_, self.navigationController.viewControllers);
// NSString* temp = [dictionary objectForKey:@"Title"]; // <-- not used
rootViewController.navigationItem.title = [dictionary objectForKey:@"Title"];
rootViewController.tableDataSource = children;
[rootViewController release];
// [children release]; // <-- must not release - owned by root dictionary
- (void)dealloc {
NSLog(@"%s: level=%d", _func_, level);
[tableDataSource release];
[data release];
[super dealloc];
@end
- Ray

Similar Messages

  • Tracking down error...ORA-06550

    When I get an error on a form such as below, how do I track down line 1, column 43 with ease?
    ORA-06550: line 1, column 43: PLS-00103: Encountered the symbol ";" when expecting one of the following: ( .......
    Thanks.
    ...AND what's this mean?
    ORA-06550: line 1, column 43: PLS-00103: Encountered the symbol ";" when expecting one of the following: ( - + case mod new not null avg count current exists max min prior sql stddev sum variance execute forall merge time timestamp interval date pipe Error ERR-1079 Error in item post calculation computation.
    OK
    Thanks
    Edited by: userRRRYB on Oct 4, 2010 1:59 PM

    I'll have to check out the DVD's of B5
    I hadn't done anything special with the item except that I am using two regions and passing the display of the item to the other region. I got interrupted before solving it so now I'm back and will see what happens after recreating the item.
    The other thing I need to do is conditionally display an item based on a select list with two choices. The conditional display needs to use the select and the following to display correctly. What's happening is the user is either creating a new entry on a form or linking to an existing entry to update the form. The form catalogs our documents (if you're in manufacturing, it's Document Control). When there are minor changes there is a version change (v1, v2, etc.). When there's a major change we call it a "Revision" and the document number increments by letter (F-100, F-100A, F-100B). Also there can be a version change on a revision (F-100Av1, F-100B).
    interruption...as I type I was discussing this with my boss and I think we've decided to have the very first of a series start with v1 so we establish character count (F-100v1).
    Anyway, no matter what the sequencing is, I need the incrementing to be based on teh select list. Here's the code that takes care of everything except the change from something like F-100Bv6 to F-100C.
    SELECT
    CASE WHEN ASCII(SUBSTR(:P3_DOCNO,LENGTH(:P3_DOCNO)-1,1)) = 86
    THEN  SUBSTR(:P3_DOCNO, 1, LENGTH(:P3_DOCNO)-1) ||CHR(ASCII(SUBSTR(:P3_DOCNO,LENGTH(:P3_DOCNO),1)) + 1)
    WHEN ASCII(SUBSTR(:P3_DOCNO,LENGTH(:P3_DOCNO),1)) < 65
      THEN :P3_DOCNO || 'A'
    WHEN ASCII(SUBSTR(:P3_DOCNO,LENGTH(:P3_DOCNO),1)) >= 65
      THEN SUBSTR(:P3_DOCNO,1,LENGTH(:P3_DOCNO)-1)
       ||CHR(ASCII(SUBSTR(:P3_DOCNO,LENGTH(:P3_DOCNO),1)) + 1)
    END
    FROM DOC_INFO;

  • DFSdiag error - tracking down culprit

    I am having difficulty tracking down the following error I receive with dfsdiag.
    DFS seems to be working fine despite the errors above (the paths point to my two folder targets). Also, the namespace is not standalone, it's domain-based.
    Any ideas on how to get to the bottom of these errors?
    TIA!

    Hi,
    Please check if the following key is missing in registry on the problematic DC:
    HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\DFS\Roots
    For more detailed information, please see:
    DFS integrity Check error
    http://social.technet.microsoft.com/Forums/windowsserver/en-US/5c6f085e-e825-42a9-a5ff-7b14e85750e5/dfs-integrity-check-error?forum=winserverfiles
    Regards,
    Mandy
    If you have any feedback on our support, please click
    here .
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • How to track down php service fault

    I have a small FlashBuilder4 project that runs fine on my local computer under Apache, PHP and MySQL.The first thing it does is populate a DataGrid with data from a MySQL table (the grid's creationcomplete event triggers a PHP service call and has its dataprovider hooked to the callresponder's lastresult property).
    As is often the case, I'm having trouble deploying the project to a remote, hosted server. I have uploaded the Zend framework, the release build, transferred my tables to the remote server, set the paths, etc. After several initial problems I believe I've got the ini file and everything else set up correctly (if I browse to my gateway.php and open it in notepad I get "Zend endpoint" with no errors). I have entered the credentials in each php service file. However, when I browse to the html wrapper page the grid displays fine but the phpservice call is apparently generating a fault. Unfortunately, there is no error information returned by the fault; i.e. the Alert box is blank.
    Can anyone suggest a methodical way of trying to track down what is going on?
    Thanks in advance.

    You cannot. Sorry.  You could try calling it via facetime, if  you have facetime, and listen for the ringing.
    BTW, typing in all caps indicates shouting, is considered rude and is difficult to read.
    Many simply do not read such posts.

  • Help needed to track down Problem in tiger with Pioneer DVR-110D

    ok as i stated in another topic i own a Beige G3 AIO that is running OS 9.2.2 and OS X 10.4.8 and i have done allot to this system to get it to run faster and to run properly.
    part of this setup has a Pioneer DVR-110D it there and when i bought it i was running OS 9.2.2 only. at first i could not burn anything with it cause it wasn't supported and when i went to put the system to sleep it would freeze when i would wake it up it never did this before i installed the drive so i knew what was causing it.
    i turned off HDD sleep and the problem was fixed. but i didn't like the ideal of having the hdd running all the time when idle. me and a friend was talking about optical drive issues and he said he found this driver replacement for the apple cd/dvd driver called intech speed tool's 6.0 for OS 9.2.2 and that i should give it a try cause it fixed a few problems for him.
    i downloaded the demo of it and installed it and i turned on hdd sleep and put the system to sleep and woke it back up and the system was running great. so now the wake up freeze problem was cured. but still no burn support. so after a few weeks of posting on here about the problem some one came by and said he knew what the problem was and sent me a modded PioneerCDR authoring support extension. i installed it and rebooted and opened iTunes and iTunes showed Pioneer DVR-110D as the devise to burn to. so i tryed it and behold it burned a audio cd with no problems.
    later i bought a western digital SE 120gb hdd and installed it and partitioned it 3 times a 8gb first partition for OS X a second partition 10gb for OS 9.2.2 and the 3rd partition was the rest of the drives size for shared data and storage. the hdd worked great with no issues so it was time to try OS X on this system cause i was waiting to get a large HDD to do so.
    i figured that the Pioneer drive would not boot the OS X jaguar cd and is a known problem with non apple cd rom drives. so i took out the Pioneer and reinstalled the apple 24x stock cd rom drive. and the jag install cd booted without a hitch. Jag installed and was running so i updated to 10.2.8 and found out the internal screen kept going out and locking the system up. so i searched this forum for the onboard video blackout and came across the terminal work around to get the system to behave itself with having more than 192mb ram installed. i rebooted and all went fine afterward.
    i reinstalled the Pioneer drive and went to testing it all was fine everything mounted on the desktop that i put in the drive. but i lacked the ability to burn with the drive cause still the drive wasn't supported be the system so i searched the forum and came across the program called patchburn. i downloaded it and ran it and patched the driver to support iApps burning with this drive. so i put in a blank cd and went to burn in iTunes it burned flawlessly so i tryed a dvd-r with the finder it to burned flawlessly.
    o loved playing a game planeshift and then they stopped supporting 10.2.8 so i went to buy the tiger install cd's. i already knew the Beige G3 was not a supported version of Os X on this system and you had to use xpostfacto 4 to install tiger on this system. so i did what i had to do to install tiger on the system and selected use old NDRV and selected to install tiger. which installed some files to boot tiger and rebooted yet again the Pionner drive refused to boot the install cd's . i got mad and held down the command option power key's for about 10 seconds and let off. the tiger installer booted and got to where it started to copy the files to the hdd and stalled out and the drive spun down never to spin back up or show signs of life so i powered down the system and removed the pioneer drive and put the stock 24x cdrom in and installed tiger.
    after tiger was installed i shut down the system and installed the pioneer drive. and powered back on and it was in verbose mode showing what was going on one part showed that the Pioneer drive was detected but had no kernel dependencies and continued to boot. i went to repair the permitions when the onboard video went blank and the system locked up. i rembered that 10.2.8 did the same thing so i tried the 10.2.8 screen blackout fix in 10.4 and rebooted. the onboard video didnt come on but since i had a ATI Radeon 7000 i could work around in tiger to update to 10.4.7 at the time. i first repaired permitions and then ran software update and updated everything and rebooted. the onboard video came back on allong with the ATI Radeon 7000 which being used as boot video device and shown the gray apple logo with the spinning pin wheel at the bottom.
    so far tiger was running great so i put a disk in the drive and nothing it didn't mount anything so i ejected it with the button on front of the drive and tryed a dvd movie and got the same nothing as with the cd. so i rebooted with the dvd in the drive al behold tiger mounted the dvd but as soon as i would try to do anything with it the drive would stop and i would have to reboot the system to gain the drive back so i can repair permissions. and never tryed to use the drive again
    10.4.8 update came out i updated to it using software update and rebooted. the update went flawless so i thought to myself what if the pioneer drive worked now. so i put a cd in the drive and it mounted the disk. then i ejected it with amazement and put a dvd in and it to mounted. so i tryed to play the dvd and it played the dvd to the end of the movie. i took out the dvd and rebooted. i tryed to put the dvd back in but it didnt mount. which ****** me off as to why it was just working and now its not.
    i rebooted and the dvd mounted as soon as the desktop showed up so i tried to play it but this time it only played for about 10-13 minutes before the drive stopped spinning which made dvd player stop responding which made me have to force quit the dvd player and try to restart which gave me a kernel panic. so i forced restarted (got a forum to send to apple to report the KP so i did) and the dvd mounted once again as soon as the desktop showed so i ejected the dvd and put a audio cd in and it mounted and i played the hole cd. so i ejected that and put a blank cd in and treed to burn and it got to 30% and then the drive spun down and made the disk utility stop responding. so i forced quit disk utility and rebooted. once it rebooted nothing popped up so i pressed the eject button on the drive and the cd r came out.
    the OS X 10.4.8 update made the drive more stable but still wont burn anything. some times it will still not mount anything, some time it will not play anything, and still fails to copy files over to the hdd. so now im left to believe its a driver issue some where since this drive worked so flawlessly in jaguar and OS 9 but fails to work properly in tiger.
    i looked in the extensions in ASP in 10.4.8 and there is a few extensions showing errors. i made a list of them to show
    PatchedAppleNVRAM:
    Version: 3.0
    Last Modified: 8/9/05 6:07 PM
    Location: /System/Library/Extensions/PatchedAppleNVRAM.kext
    kext Version: 3.0
    Load Address: 0x4db000
    Valid: Yes
    Authentic: Yes
    Dependencies: Incomplete
    Dependency Errors:
    com.macsales.iokit.OpenOldWorldNVRAM: No valid version of this dependency can be found
    Integrity: Unknown
    OpenPMUNVRAMController:
    Version: 2.0
    Last Modified: 8/9/05 6:08 PM
    Location: /System/Library/Extensions/OpenPMUNVRAMController.kext
    kext Version: 2.0
    Load Address: 0x63a000
    Valid: Yes
    Authentic: Yes
    Dependencies: Incomplete
    Dependency Errors:
    com.macsales.iokit.OpenOldWorldNVRAM: No valid version of this dependency can be found
    Integrity: Unknown
    GossamerDeviceTreeUpdater:
    Version: 3.0
    Last Modified: 8/9/05 6:07 PM
    Location: /System/Library/Extensions/GossamerDeviceTreeUpdater.kext
    kext Version: 3.0
    Load Address: 0x63d000
    Valid: Yes
    Authentic: Yes
    Dependencies: Incomplete
    Dependency Errors:
    com.macsales.iokit.OpenPMUNVRAMController: No valid version of this dependency can be found
    Integrity: Unknown
    that is the list of extensions that are reporting some sort of errors. at first i was figuring it was a problem with the driver for the Pioneer drive but my friend brought over his digital audio G4 which was also running 10.4.8. and we decided to try the drive in his Mac to see if there was any problems. it mounted everything we threw in it. it played dvd's great and played audio cd's great, it copied files over to the hdd without fail. it even burned a flawless cd. ok now the ideal of the driver for the drive was thrown out the window. so it has to be something else causing the problem. either a driver for a part on the motherboard or what i have no clue.
    im just wondering what driver it would be causing a problem not allowing the Pioneer drive to work properly. cause its not the drive being bad cause it worked flawlessly in OS 9.2.2 and jaguar and in tiger in my friends digital audio G4
    im just wondering if anyone might know what could be done to fix this problem cause i know it can be fixed but i don't know where to begin or how. so i ask you how could i begin to fix this
    thank you all for baring with me and reading all this. i know i wrote allot but i had to explain what was going on before i could ask for help so you could better understand what was going on. i have already updated the firmware to the latest with no change the firmware use to be the old 1.11

    yea i have along time ago and also made a update to xlr8's drive database. cause i fixed the problems with the drive in OS 9.2.2 (AKA no burn support with the built in burning app or iTunes, now have full support for burning with the finder burn and iTunes thanks to a edited PioneerCDR authoring support extension that someone edited for me. found out that the Apple CD/DVD driver extension was at fault for the locking up on wake up with hdd sleep enabled that started when i installed the Pioneer drive. fixed with intech CD/DVD speedtools 6.0).
    When i did the first report on the drive database on xlr8yourmac i reported what problems i was having in OS 9.2.2 and i think i reported that i had no problems in jaguar, and was trying to obtain a driver or something to try to get it to work. but to no avail at first. after i fixed the problems i did a update report
    in jaguar the drive had no problems but no burn support. installed patchburn and the drive worked 100% in jag no problems what so ever. im thinking it has somthing to do with one or all of the extensions with errors but i can be wrong.
    i just wonder where ryan has been on the forums in OWC's site. cause i would like to submit my crash log panic log and the extensions with errors so he could help track down the problems to see if it cant be fixed. but ive tried emailing him but no replay's. and his last reply on the OWC forums was back in desember 2005 a few day's over a year
    i know it isnt the drive cause it worked flawlessly in tiger 10.4.8 on my friends Digital Audio but i know why it worked fine cause it has the proper files for the DA to work cause its a supported system. i would like to try to help to get xpostfacto to work better on the Beige G3 system
    in tiger if it is something to do with xpostfacto

  • My macbook pro is crashing any clues on how to track down the problem?

    my macbook pro is crashing any clues on how to track down the problem?
    I'm running OS X 10.9.5 on a Late 2008 Macbook Pro... 8GB of memory... I've swapped the original drive for an SSD.
    here is a problem report on one of the crashes... they always look just like this:
    Mon Oct  6 17:53:40 2014
    panic(cpu 0 caller 0xffffff80018dc43e): Kernel trap at 0xffffff7f82fe26e2, type 14=page fault, registers:
    CR0: 0x000000008001003b, CR2: 0xffffff80cdde2008, CR3: 0x000000004785e000, CR4: 0x0000000000000660
    RAX: 0x0000000000000039, RBX: 0x0000000000000059, RCX: 0x0200000002400009, RDX: 0x7fffffffffffffff
    RSP: 0xffffff80fdb8b820, RBP: 0xffffff80fdb8b860, RSI: 0x0000000000000059, RDI: 0xffffff80cdde2008
    R8:  0x0000000000000000, R9:  0x0000000000000000, R10: 0xffffff80fdb8b380, R11: 0xffffff7f81efab4c
    R12: 0xffffff80cdde2008, R13: 0xffffff802de1d008, R14: 0x0000000000000059, R15: 0xffffff80cdde2008
    RFL: 0x0000000000010282, RIP: 0xffffff7f82fe26e2, CS:  0x0000000000000008, SS:  0x0000000000000010
    Fault CR2: 0xffffff80cdde2008, Error code: 0x0000000000000000, Fault CPU: 0x0
    Backtrace (CPU 0), Frame : Return Address
    0xffffff80fdb8b4b0 : 0xffffff8001822f79
    0xffffff80fdb8b530 : 0xffffff80018dc43e
    0xffffff80fdb8b700 : 0xffffff80018f3976
    0xffffff80fdb8b720 : 0xffffff7f82fe26e2
    0xffffff80fdb8b860 : 0xffffff7f82fe3cbf
    0xffffff80fdb8b970 : 0xffffff7f82fe3ff2
    0xffffff80fdb8b9e0 : 0xffffff7f82fe4256
    0xffffff80fdb8ba60 : 0xffffff7f82ff53d7
    0xffffff80fdb8baa0 : 0xffffff7f82fef706
    0xffffff80fdb8bae0 : 0xffffff80019fabd6
    0xffffff80fdb8bb10 : 0xffffff80019fb38e
    0xffffff80fdb8bb30 : 0xffffff80019de87a
    0xffffff80fdb8bc80 : 0xffffff8001b82cc3
    0xffffff80fdb8bcd0 : 0xffffff8001b7c076
    0xffffff80fdb8bd80 : 0xffffff80019fabd6
    0xffffff80fdb8bdb0 : 0xffffff80019fb38e
    0xffffff80fdb8bdd0 : 0xffffff80019de87a
    0xffffff80fdb8bf20 : 0xffffff80019e602a
    0xffffff80fdb8bf50 : 0xffffff8001c40c63
    0xffffff80fdb8bfb0 : 0xffffff80018f4176
          Kernel Extensions in backtrace:
             com.apple.filesystems.afpfs(11.1)[DCC45CDD-E950-364F-8221-1A914106BC59]@0xfffff f7f82fd7000->0xffffff7f83025fff
                dependency: com.apple.security.SecureRemotePassword(1.0)[BC0BAB92-C8C9-3959-AA42-272AF578DF D9]@0xffffff7f82fc6000
    BSD process name corresponding to current thread: mds
    Mac OS version:
    13F34
    Kernel version:
    Darwin Kernel Version 13.4.0: Sun Aug 17 19:50:11 PDT 2014; root:xnu-2422.115.4~1/RELEASE_X86_64
    Kernel UUID: 9477416E-7BCA-3679-AF97-E1EAAD3DD5A0
    Kernel slide:     0x0000000001600000
    Kernel text base: 0xffffff8001800000
    System model name: MacBookPro5,1 (Mac-F42D86A9)
    System uptime in nanoseconds: 13782929543220
    last loaded kext at 732159785634: com.apple.filesystems.smbfs    2.0.3 (addr 0xffffff7f83026000, size 335872)
    last unloaded kext at 315936860456: com.apple.filesystems.msdosfs    1.9 (addr 0xffffff7f82fb9000, size 57344)
    loaded kexts:
    tc.tctechnologies.driver.Saffire    8028
    com.iospirit.driver.rbiokithelper    1.8.0
    com.squirrels.airparrot.framebuffer    3
    com.Logitech.Unifying.HID Driver    1.3.1
    com.squirrels.driver.AirParrotSpeakers    1.8
    com.Logitech.Control Center.HID Driver    3.9.1
    com.apple.filesystems.smbfs    2.0.3
    com.apple.filesystems.afpfs    11.1
    com.apple.nke.asp-tcp    8.0.1
    com.apple.driver.AppleHWSensor    1.9.5d0
    com.apple.filesystems.autofs    3.0
    com.apple.driver.AudioAUUC    1.60
    com.apple.iokit.IOUserEthernet    1.0.0d1
    com.apple.iokit.IOBluetoothSerialManager    4.2.7f3
    com.apple.Dont_Steal_Mac_OS_X    7.0.0
    com.apple.driver.AppleUpstreamUserClient    3.5.13
    com.apple.driver.AGPM    100.14.34
    com.apple.driver.AppleMikeyHIDDriver    124
    com.apple.driver.AppleHWAccess    1
    com.apple.GeForceTesla    8.2.4
    com.apple.driver.AppleHDA    2.6.3f4
    com.apple.driver.AppleMikeyDriver    2.6.3f4
    com.apple.driver.SMCMotionSensor    3.0.4d1
    com.apple.iokit.BroadcomBluetoothHostControllerUSBTransport    4.2.7f3
    com.apple.driver.AppleSMCLMU    2.0.4d1
    com.apple.driver.AppleMuxControl    3.6.22
    com.apple.driver.ACPI_SMC_PlatformPlugin    1.0.0
    com.apple.driver.AppleLPC    1.7.0
    com.apple.driver.AppleMCCSControl    1.2.5
    com.apple.driver.AppleUSBTCButtons    240.2
    com.apple.driver.AppleUSBTCKeyboard    240.2
    com.apple.BootCache    35
    com.apple.AppleFSCompression.AppleFSCompressionTypeZlib    1.0.0d1
    com.apple.AppleFSCompression.AppleFSCompressionTypeLZVN    1.0.0d1
    com.apple.iokit.SCSITaskUserClient    3.6.7
    com.apple.AppleFSCompression.AppleFSCompressionTypeDataless    1.0.0d1
    com.apple.driver.XsanFilter    404
    com.apple.iokit.IOAHCIBlockStorage    2.6.0
    com.apple.driver.AppleUSBHub    683.4.0
    com.apple.driver.AppleFWOHCI    5.0.2
    com.apple.driver.AirPort.Brcm4331    700.20.22
    com.apple.driver.AppleUSBEHCI    660.4.0
    com.apple.driver.AppleUSBOHCI    656.4.1
    com.apple.nvenet    2.0.21
    com.apple.driver.AppleAHCIPort    3.0.5
    com.apple.driver.AppleSmartBatteryManager    161.0.0
    com.apple.driver.AppleRTC    2.0
    com.apple.driver.AppleHPET    1.8
    com.apple.driver.AppleACPIButtons    2.0
    com.apple.driver.AppleSMBIOS    2.1
    com.apple.driver.AppleACPIEC    2.0
    com.apple.driver.AppleAPIC    1.7
    com.apple.driver.AppleIntelCPUPowerManagementClient    217.92.1
    com.apple.security.quarantine    3
    com.apple.nke.applicationfirewall    153
    com.apple.driver.AppleIntelCPUPowerManagement    217.92.1
    com.apple.security.SecureRemotePassword    1.0
    com.apple.kext.triggers    1.0
    com.apple.iokit.IOSurface    91.1
    com.apple.iokit.IOSerialFamily    10.0.7
    com.apple.AppleGraphicsDeviceControl    3.6.22
    com.apple.nvidia.classic.NVDANV50HalTesla    8.2.4
    com.apple.nvidia.classic.NVDAResmanTesla    8.2.4
    com.apple.driver.DspFuncLib    2.6.3f4
    com.apple.vecLib.kext    1.0.0
    com.apple.iokit.IOBluetoothHostControllerUSBTransport    4.2.7f3
    com.apple.iokit.IOFireWireIP    2.2.6
    com.apple.driver.AppleHDAController    2.6.3f4
    com.apple.iokit.IOHDAFamily    2.6.3f4
    com.apple.driver.AppleSMBusPCI    1.0.12d1
    com.apple.driver.AppleBacklightExpert    1.0.4
    com.apple.iokit.IONDRVSupport    2.4.1
    com.apple.driver.AppleGraphicsControl    3.6.22
    com.apple.iokit.IOAudioFamily    1.9.7fc2
    com.apple.kext.OSvKernDSPLib    1.14
    com.apple.driver.AppleSMC    3.1.8
    com.apple.driver.IOPlatformPluginLegacy    1.0.0
    com.apple.driver.IOPlatformPluginFamily    5.7.1d6
    com.apple.driver.AppleSMBusController    1.0.12d1
    com.apple.iokit.IOGraphicsFamily    2.4.1
    com.apple.driver.IOBluetoothHIDDriver    4.2.7f3
    com.apple.iokit.IOBluetoothFamily    4.2.7f3
    com.apple.driver.AppleUSBMultitouch    240.10
    com.apple.iokit.IOUSBHIDDriver    660.4.0
    com.apple.driver.AppleUSBMergeNub    650.4.0
    com.apple.driver.AppleUSBComposite    656.4.1
    com.apple.iokit.IOSCSIMultimediaCommandsDevice    3.6.7
    com.apple.iokit.IOBDStorageFamily    1.7
    com.apple.iokit.IODVDStorageFamily    1.7.1
    com.apple.iokit.IOCDStorageFamily    1.7.1
    com.apple.iokit.IOAHCISerialATAPI    2.6.1
    com.apple.iokit.IOSCSIArchitectureModelFamily    3.6.7
    com.apple.iokit.IOUSBUserClient    660.4.2
    com.apple.driver.AppleEFINVRAM    2.0
    com.apple.iokit.IOFireWireFamily    4.5.5
    com.apple.iokit.IO80211Family    640.36
    com.apple.iokit.IOUSBFamily    686.4.1
    com.apple.iokit.IONetworkingFamily    3.2
    com.apple.driver.NVSMU    2.2.9
    com.apple.iokit.IOAHCIFamily    2.6.5
    com.apple.driver.AppleEFIRuntime    2.0
    com.apple.iokit.IOHIDFamily    2.0.0
    com.apple.iokit.IOSMBusFamily    1.1
    com.apple.security.TMSafetyNet    7
    com.apple.security.sandbox    278.11.1
    com.apple.kext.AppleMatch    1.0.0d1
    com.apple.iokit.IOReportFamily    23
    com.apple.driver.DiskImages    371.1
    com.apple.iokit.IOStorageFamily    1.9
    com.apple.driver.AppleKeyStore    2
    com.apple.driver.AppleFDEKeyStore    28.30
    com.apple.driver.AppleACPIPlatform    2.0
    com.apple.iokit.IOPCIFamily    2.9
    com.apple.iokit.IOACPIFamily    1.4
    com.apple.kec.pthread    1
    com.apple.kec.corecrypto    1.0
    Model: MacBookPro5,1, BootROM MBP51.007E.B06, 2 processors, Intel Core 2 Duo, 2.66 GHz, 8 GB, SMC 1.41f2
    Graphics: NVIDIA GeForce 9400M, NVIDIA GeForce 9400M, PCI, 256 MB
    Graphics: NVIDIA GeForce 9600M GT, NVIDIA GeForce 9600M GT, PCIe, 512 MB
    Memory Module: BANK 0/DIMM0, 4 GB, DDR3, 1067 MHz, 0x85F7, 0x483634353155373946373036364700000000
    Memory Module: BANK 0/DIMM1, 4 GB, DDR3, 1067 MHz, 0x85F7, 0x483634353155373946373036364700000000
    AirPort: spairport_wireless_card_type_airport_extreme (0x14E4, 0x8D), Broadcom BCM43xx 1.0 (5.106.98.100.22)
    Bluetooth: Version 4.2.7f3 14616, 3 services, 23 devices, 1 incoming serial ports
    Network Service: AirPort, AirPort, en1
    Serial ATA Device: OWC Mercury Electra 3G SSD, 480.1 GB
    Serial ATA Device: HL-DT-ST DVDRW  GS21N
    USB Device: USB2.0 Hub
    USB Device: Built-in iSight
    USB Device: BRCM2046 Hub
    USB Device: Bluetooth USB Host Controller
    USB Device: IR Receiver
    USB Device: Apple Internal Keyboard / Trackpad
    USB Device: USB Receiver
    Thunderbolt Bus:

    These may be your problem candidates:
    Uninstall them and then reinstall in a systematic manner and see if the MBP crashes again.  If  and when it does, then that is the troublemaker.
    Ciao.

  • How can I track down what is filling my HD but clears with a restart?

    Recently started seeing 12GB of free disk space slowly filling over the day and I'm uncertain how best to track down and remove the cause.  Towards the end of the day, I see the "startup disk almost full" error and my computer comes to a crawl.  A restart rescues the space, so I'm guessing /tmp or swap?
    Anyone have suggestions on starting to track down the problem?  Thanks.
    Macbook Air
    Mountain Lion

    mhadjar wrote:
    I'd consider using an external drive (flash or mass storage) for the files you use less often to free up disk space. You have a lot of inactive memory and your swap is around 2GB so you aren't too bad there. Obviously launching iPhoto might cause some swapping as well as iTunes.
    Was this screenshot with iTunes/iPhoto opened or closed?
    I think you meant to ask this question of the OP rather than me.

  • BW system ran out of "session" = transaction SMGW; how to track down "resource" issues?

    Hi SAP Experts,
    we had on our SAP BW system the following situation:
    We are having a week daily process chains, that is uploading data from our ECC system.
    Once in a month, we are uploading from our APO/SCM system data from our BW system.
    Parallel we are having also SAP PreCalculation Server (with three PreCalc instances) instances running. The PreCalc Server is running daily.
    The landscape in short: (DB server = AIX/Oracle, App-Server = Linux, SAP System=7.01; PreCalc Server = Win2008/64)
    This week when all was running at the same time, we faced problems, that log-on to SAP System via ABAP took a long time, same BEx Reports (some failed with Run Time errors).
    From the landscape infrastructure we couldn’t detect any resource issues (we are having two application servers connected to the BW landscape).
    What we saw from the system transactions (SM66, SM51, SM21, ST02, ST04, ST06N) the issue did not seem to be resource based, by network, database, amount of work processes etc.
    But we noticed in transaction SMGW, that it seemed not possible for external programs, like a BEx reports or the PreCalc Server to connect with new session to the BW ABAP landscape.
    The trace showed in SMGW:
    *  LOCATION    SAP-Gateway on host server / sapgw##
    *  ERROR       Conversation 01792797 not found
    *  TIME        Tue Jul 22 14:13:03 2014
    *  RELEASE     720
    *  COMPONENT   SAP-Gateway
    *  VERSION     2
    *  RC          728
    *  MODULE      gwxxconn.c
    *  LINE        971
    *  COUNTER     75240
    In system log, database alert log, we could not find any dead locks reported or anything reported, that explained why, via the SMGW is was not possible to connect with new sessions.
    We restarted the PreCalc Server and after clarifying with application team of APO/SCM we stop the process chain and than the system was back to “normal” operation.
    Now the question is, if you faced similar issues and what the solution, or how you where able to track down the issue?
    Thanks for your ideas.
    Best regards
    Carlos Behlau

    Hi Alwina,
    thank you for your help.
    What I was able to is in SMGW, because the system was very slow, that some connection where "red".
    I forgot to capture screenshots and now I am not able to recall the the status text.
    It is there a way to find out, if we reach the "max" connection numbers, like parameter gw/max_conn 500, via ST03N or via SMGW or via some logs?
    I checked the SMGW trace, but I am not able to identify via the trace in SMGW, if the failures happened now, because max. values of parameters have been reached or what the cause was/is.
    What I meant:
    All external programs, like SAP BW BEx Analyzer (Excel Reporting tool for BW) are connecting via RFC calls. Also SAP Pre-Calculation Server is using RFC calls to generate the reports and send them via E-mail.
    Usually, I can see these connections in SMGW (goto => logon clients).
    There I didn't noticed that we reach 500, when we had the problem.
    Best regards
    Carlos

  • Safari keeps dropping down this error message when ever i try to log on to any website safai can't verify the identity of the website ( e.g.. any address ) and the drop down has three choices to click on or else you can't go foward., they are check certif

    Safari keeps dropping down this error message when ever i try to log on to any website safai can't verify the identity of the website ( e.g.. any address ) and the drop down has three choices to click on or else you can't go foward., they are check certificate ______ cancel ______ continue....  This thing is so annoying when trying to go somewhere i just want the error message to go away.

    In your Keychain under 'login' delete the VeriSign certificates and then quit and restart all browsers/itunes/app store.
    http://apple.stackexchange.com/questions/180570/invalid-certificate-after-securi ty-update-2015-004-in-mavericks

  • Is there a way for apple to track down which apple id is currently associated to a device?

    Hi! My iphone 4s was pick pocketed from me last night. I have FindMyIPhone installed on that device but unfortunately i forgot to turn on my location settings so i wasn't able to track down the culprit via GPS. I already contacted my provider to see if there's anything they could do about it, but i was informed they could only temporarily disconnect my service. I'm planning to have my phone blocked using its IMEI so that the thief could no longer use the phone and would otherwise be forced to have it fixed in istore or something. But my experiences here in our country (PHILIPPINES) makes me think i shouldn't be relying on the officials. Every year, the cases of stolen phones just rise up. And not anyone from the government is even doing a thing about this criminals.
    Anyway, going back to my main concern, my phone has a passcode on it. But i am aware that anyone could just restore the phone and it'll be good as new. Chances are, the person who has it could register a new apple id and associate it with my phone's serial #. So my question is, is there a way for apple to see the new apple id associated to my phone using just the serial or IMEI? If so, will they allow me to get the new apple id associated to my phone? That way, i could coordinate with our local police here in PI and track down that person who has my phone.
    Please help, i haven't slept really well since that incident happened. I know this might sound overrated. But i feel like i'm really desperate. I've only use that phone for 2months. And having to think of buying a new phone that costs a lot is just..... you get the picture. Help

    Apple can do nothing at all.
    Sorry.

  • My iPod was stolen, is there any way it can get tracked down?

    Hey, how are you guys doing?
    I bought a 4g iPod touch 32g a while ago, and I want to know if it can be tracked down. I didn't have iCloud put on it &amp; I used an app on another iPod to track it down using the apple account and no results were shown as if the iPod had been reset. Please let me know if it can be tracked down.

    Change your iTunes (Apple ID) password along with any other password that was stored in the iPod.  If any passwords are associated with credit cards, contact the CC company and get your card replaced (with a new number).  If any passwords are associated with a bank or any other savings institution, contact them also and discuss approprate action with them.
    The "Find my..." function is pretty much useless if the device is in the hands of a thief.  All that is necessary is for the thief to connect to any computer with iTunes and "Restore as new."
    The only real protection you have is with the personal information on the device rather than the physical device itself.  This requires action before the device is lost/stolen.  If the device has significant personal information, it should have a strong 8-digit (or longer) password AND be configured for automatic wipe in the event of ten consecutive incorrect password entries.

  • My computer was stolen, how can I track down a serial number?

    Hi All-
    I'm in need of some assistance.  My Mac was stolen during an apartment burglary.  It was a gift from a family member who doesn't have any type of receipt.  I apparently didn't register my Mac either, my iPad and iPod yes, my stolen laptop of course not.  My insurance company is requesting the serial number or some sort of proof of ownership.  Any ideas how I can track down the serial number? 
    Any suggestions would be appreciated!
    Thank you!

    Have the family member who made the gift contact the place of purchase if possible. Most business records of computer sales have info like serial numbers

  • How to fix EXC_BAD_ACCESS error? I just upgraded to 10.7.5 and now I can't open any MS Word documents

    How to fix EXC_BAD_ACCESS error? I just upgraded to 10.7.5 and now I can't open any MS Word documents.
    I get this error message every time:
    Microsoft Error Reporting log version: 2.0
    Error Signature:
    Exception: EXC_BAD_ACCESS
    Date/Time: 2013-05-28 02:28:42 +0000
    Application Name: Microsoft Word
    Application Bundle ID: com.microsoft.Word
    Application Signature: MSWD
    Application Version: 14.3.4.130416
    Crashed Module Name: Microsoft Word
    Crashed Module Version: 14.3.4.130416
    Crashed Module Offset: 0x00938638
    Blame Module Name: Microsoft Word
    Blame Module Version: 14.3.4.130416
    Blame Module Offset: 0x00938638
    Application LCID: 1033
    Extra app info: Reg=en Loc=0x0409
    Crashed thread: 0
    I tried to remove the plist files, but it hasn't worked! Please help!

    What version of Microsoft Office for Mac do you have?
    Pete

  • How to track down duplicates record in BPC 5.1

    All,
            We had a consultant who builds up a script which pulled all the data files from different sources and finally load in SAP BPC. We are seeing duplicates in our SAP BPC for excel reports. We looked at couple of tables  at SQL level and everything looks fine. We also look at the data files separately and all of them have unique values. Iu2019m fairly new to SAP BPC. Can you guys give some tips, so I can track down u201CDupsu201D and able to fix the bug !
    Also let me know is it recommended to write VBA code to get rid of duplicates for one of the SAP BPC reports?
    Thanks,
    -Saquib

    What exactly do you mean by duplicates? Two (or more) data records in the same intersection of members, across all dimensions in the application? These will be combined into one record when the database is optimized. And add'l records will be added, if you have input schedules where users modify data.
    So you must be very careful about how you remove data from the database.
    If you're seeing data in reports that is different from what's in the database, then it's more likely a bug in the report, not the data -- or else the cubes are not properly processed.
    I wouldn't have any idea how VBA could help solve the problem, but I'm not really sure what is your problem. More commonly, SQL helps to identify where there are data integrity issues.
    If you have a problem with the data in the cube not matching what's in your source files, it may be related to how data was initially imported, depending on the merge vs. clear option you selected during the imports. That's where I would start the investigation, if I understand your problem correctly.
    The correct solution is probably to fix the import routine and re-load, rather than much around in the BPC tables until you think you got it right. Otherwise, next time you need to load data, you'll have the same problem.

  • I am getting a track 6 -50 error. What do I do to fix it??

    When I try to sync my ipod classic to my itunes I get a track 6 -50 error. What is this and what do I do to get this fixed??

    Need more info to be of any assistance.
    Are you using Mac or Window?
    if you using Mac, is it a Macbook Pro?
    What is your iTunes Version?
    What is the iPod firmware, as shown on the iTunes summary?
    But error -50 is triggerred by process timeout, most likely USB related.
    Have a nice day!

Maybe you are looking for

  • Transfer purschases from one account to another

    We had iTunes and an account on a notebook computer and the hard drive crashed shortly before Christmas. I wanted to order an iTunes giftcard and but couldn't log into iTunes from another notebook so created a new account. I was in a hurry to get thi

  • Attempting to do an initial Time Machine back

    Attempting to do an initial Time Machine back up on my wifes IMac.  Approximately 190GB of data.  The external HD is 500Gb cpacity. The first 70Gb goes pretty well, by the time it gets in to the 90Gb range it is only going at about 2Gb per hour and c

  • Installation stuck at 42%

    Trying to install; I'm on a corporate network with fast download speeds and it's been stuck at 42% for a half hour and counting....Shouldn't take that long, should it?

  • How can I get OS 10.7

    I want to upgrade to Mountain Lion but I need OS 10.7 and the App store does not have it.

  • Je ne suis plus capable de sélectionner le clic droit pour mon trackpad.

    Bonjour, j'ai un macbook pro. J'ai fais la migration sur lion, tout allais super bien. un moment donné, dans la journée, je n'étais plus capable de faire le clic secondaire droit avec mon trackpad. je vais dans les préféreces système, l'option clic s