Pdflush hanging disks when disk activity is high

Hi everyone! my "problem" is that when im copying or moving larga amounts of data between my partitions/disks my the system response is right, but the apps who show or access those disks hangs for a few seconds including the copy/moving itself, theres a lot of pdflush process that's what conky and htop show me when those little hangs appear... dont know if it has something to do, but the disk is a sata drive inside a usb case formatted as ext3... copying from that disk from the same disk or any other inside mi box (1 80gb IDE drive) cause those pdflush process to appear...
1. is this normal?
2. what is pdflush?
3. what it do exactly?
thanks!!!
EDIT: forgot to mention... cpu activity during those mini hangs is low... 5%-10% or less cpu usage... in a athlon xp 2600+ cpu... and pdflush processes are 0% using cpu... there are 5 or more of those pdflush...
Last edited by leo2501 (2007-08-27 10:44:24)

Auto SOLVED for anybody interested...
http://www.westnet.com/~gsmith/content/ … dflush.htm
The Linux Page Cache and pdflush:
Theory of Operation and Tuning for Write-Heavy Loads
As you write out data ultimately intended for disk, Linux caches this information in an area of memory called the page cache. You can find out basic info about the page cache using tools like free, vmstat or top. See http://gentoo-wiki.com/FAQ_Linux_Memory_Management to learn how to interpret top's memory information, or atop to get an improved version.
Full information about the page cache only shows up by looking at /proc/meminfo. Here is a sample from a system with 4GB of RAM:
MemTotal:      3950112 kB
MemFree:        622560 kB
Buffers:         78048 kB
Cached:        2901484 kB
SwapCached:          0 kB
Active:        3108012 kB
Inactive:        55296 kB
HighTotal:           0 kB
HighFree:            0 kB
LowTotal:      3950112 kB
LowFree:        622560 kB
SwapTotal:     4198272 kB
SwapFree:      4198244 kB
Dirty:             416 kB
Writeback:           0 kB
Mapped:         999852 kB
Slab:            57104 kB
Committed_AS:  3340368 kB
PageTables:       6672 kB
VmallocTotal: 536870911 kB
VmallocUsed:     35300 kB
VmallocChunk: 536835611 kB
HugePages_Total:     0
HugePages_Free:      0
Hugepagesize:     2048 kB
The size of the page cache itself is the "Cached" figure here, in this example it's 2.9GB. As pages are written, the size of the "Dirty" section will increase. Once writes to disk have begun, you'll see the "Writeback" figure go up until the write is finished. It can be very hard to actually catch the Writeback value going high, as its value is very transient and only increases during the brief period when I/O is queued but not yet written.
Linux usually writes data out of the page cache using a process called pdflush. At any moment, between 2 and 8 pdflush threads are running on the system. You can monitor how many are active by looking at /proc/sys/vm/nr_pdflush_threads. Whenever all existing pdflush threads are busy for at least one second, an additional pdflush daemon is spawned. The new ones try to write back data to device queues that are not congested, aiming to have each device that's active get its own thread flushing data to that device. Each time a second has passed without any pdflush activity, one of the threads is removed. There are tunables for adjusting the minimum and maximum number of pdflush processes, but it's very rare they need to be adjusted.
pdflush tunables
Exactly what each pdflush thread does is controlled by a series of parameters in /proc/sys/vm:
/proc/sys/vm/dirty_writeback_centisecs (default 500): In hundredths of a second, this is how often pdflush wakes up to write data to disk. The default wakes up the two (or more) active threads twice a second.
There can be undocumented behavior that thwarts attempts to decrease dirty_writeback_centisecs in an attempt to make pdflush more aggressive. For example, in early 2.6 kernels, the Linux mm/page-writeback.c code includes logic that's described as "if a writeback event takes longer than a dirty_writeback_centisecs interval, then leave a one-second gap". In general, this "congestion" logic in the kernel is documented only by the kernel source itself, and how it operates can vary considerably depending on which kernel you are running. Because of all this, it's unlikely you'll gain much benefit from lowering the writeback time; the thread spawning code assures that they will automatically run themselves as often as is practical to try and meet the other requirements.
The first thing pdflush works on is writing pages that have been dirty for longer than it deems acceptable. This is controlled by:
/proc/sys/vm/dirty_expire_centiseconds (default 3000): In hundredths of a second, how long data can be in the page cache before it's considered expired and must be written at the next opportunity. Note that this default is very long: a full 30 seconds. That means that under normal circumstances, unless you write enough to trigger the other pdflush method, Linux won't actually commit anything you write until 30 seconds later.
The second thing pdflush will work on is writing pages if memory is low. This is controlled by:
/proc/sys/vm/dirty_background_ratio (default 10): Maximum percentage of active that can be filled with dirty pages before pdflush begins to write them
Note that some kernel versions may internally put a lower bound on this value at 5%.
Most of the documentation you'll find about this parameter suggests it's in terms of total memory, but a look at the source code shows this isn't true. In terms of the meminfo output, the code actually looks at
MemFree + Cached - Mapped
So on the system above, where this figure gives 2.5GB, with the default of 10% the system actually begins writing when the total for Dirty pages is slightly less than 250MB--not the 400MB you'd expect based on the total memory figure.
Summary: when does pdflush write?
In the default configuration, then, data written to disk will sit in memory until either a) they're more than 30 seconds old, or b) the dirty pages have consumed more than 10% of the active, working memory. If you are writing heavily, once you reach the dirty_background_ratio driven figure worth of dirty memory, you may find that all your writes are driven by that limit. It's fairly easy to get in a situation where pages are always being written out by that mechanism well before they are considered expired by the dirty_expire_centiseconds mechanism.
Other than laptop_mode, which changes several parameters to optimize for keeping the hard drive spinning as infrequently as possible (see http://www.samwel.tk/laptop_mode/ for more information) those are all the important kernel tunables that control the pdflush threads.
Process page writes
There is another parameter involved though that can spill over into management of user processes:
/proc/sys/vm/dirty_ratio (default 40): Maximum percentage of total memory that can be filled with dirty pages before processes are forced to write dirty buffers themselves during their time slice instead of being allowed to do more writes.
Note that all processes are blocked for writes when this happens, not just the one that filled the write buffers. This can cause what is perceived as an unfair behavior where one "write-hog" process can block all I/O on the system. The classic way to trigger this behavior is to execute a script that does "dd if=/dev/zero of=hog" and watch what happens. See Kernel Korner: I/O Schedulers for examples showing this behavior.
Tuning Recommendations for write-heavy operations
The usual issue that people who are writing heavily encouter is that Linux buffers too much information at once, in its attempt to improve efficiency. This is particularly troublesome for operations that require synchronizing the filesystem using system calls like fsync. If there is a lot of data in the buffer cace when this call is made, the system can freeze for quite some time to process the sync.
Another common issue is that because so much must be written before any phyiscal writes start, the I/O appears more bursty than would seem optimal. You'll have long periods where no physical writes happen at all, as the large page cache is filled, followed by writes at the highest speed the device can achieve once one of the pdflush triggers is tripped.
dirty_background_ratio: Primary tunable to adjust, probably downward. If your goal is to reduce the amount of data Linux keeps cached in memory, so that it writes it more consistently to the disk rather than in a batch, lowering dirty_background_ratio is the most effective way to do that. It is more likely the default is too large in situations where the system has large amounts of memory and/or slow physical I/O.
dirty_ratio: Secondary tunable to adjust only for some workloads. Applications that can cope with their writes being blocked altogether might benefit from substantially lowering this value. See "Warnings" below before adjusting.
dirty_expire_centisecs: Test lowering, but not to extremely low levels. Attempting to speed how long pages sit dirty in memory can be accomplished here, but this will considerably slow average I/O speed because of how much less efficient this is. This is particularly true on systems with slow physical I/O to disk. Because of the way the dirty page writing mechanism works, trying to lower this value to be very quick (less than a few seconds) is unlikely to work well. Constantly trying to write dirty pages out will just trigger the I/O congestion code more frequently.
dirty_writeback_centisecs: Leave alone. The timing of pdflush threads set by this parameter is so complicated by rules in the kernel code for things like write congestion that adjusting this tunable is unlikely to cause any real effect. It's generally advisable to keep it at the default so that this internal timing tuning matches the frequency at which pdflush runs.
Swapping
By default, Linux will aggressively swap processes out of physical memory onto disk in order to keep the disk cache as large as possible. This means that pages that haven't been used recently will be pushed into swap long before the system even comes close to running out of memory, which is an unexpected behavior compared to some operating systems. The /proc/sys/vm/swappiness parameter controls how aggressive Linux is in this area.
As good a description as you'll find of the numeric details of this setting is in section 4.15 of http://people.redhat.com/nhorman/papers/rhel4_vm.pdf It's based on a combination of how much of memory is mapped (that total is in /proc/meminfo) as well as how difficult it has been for the virtual memory manager to find pages to use.
A value of 0 will avoid ever swapping out just for caching space. Using 100 will always favor making the disk cache bigger. Most distributions set this value to be 60, tuned toward moderately aggressive swapping to increase disk cache.
The optimal setting here is very dependant on workload. In general, high values maximize throughput: how much work your system gets down during a unit of time. Low values favor latency: getting a quick response time from applications. Some desktop users so favor low latency that they set swappiness to 0, so that user applications are never swapped to disk (as can happen when the system is executing background tasks while the user is away). That's perfectly reasonable if the amount of memory in the system exceeds the usual working set for the applications used. Servers that are very active and usually throughput bound could justify setting it to 100. On the flip side, a desktop system that is so limited in memory that every active byte helps might also prefer a setting of 100.
Since the size of the disk cache directly determines things like how much dirty data Linux will allow in memory, adjusting swappiness can greatly influence that behavior even though it's not directly tied to that.
Warnings
-There is a currently outstanding Linux kernel bug that is rare and difficult to trigger even intentionally on most kernel versions. However, it is easier to encounter when reducing dirty_ratio setting below its default. An introduction to the issue starts at http://lkml.org/lkml/2006/12/28/171 and comments about it not being specific to the current kernel release are at http://lkml.org/lkml/2006/12/28/131
-The standard Linux memory allocation behavior uses an "overcommit" setting that allows processes to allocate more memory than is actually available were they to all ask for their pages at once. This is aimed at increasing the amount of memory available for the page cache, but can be dangerous for some types of applications. See http://www.linuxinsight.com/proc_sys_vm … emory.html for a note on the settings you can adjust. An example of an application that can have issues when overcommit is turned on is PostgreSQL; see "Linux Memory Overcommit" at http://www.postgresql.org/docs/current/ … urces.html for their warnings on this subject.
References: page cache
Neil Horman, "Understanding Virtual Memory in Red Hat Enterprise Linux 4" http://people.redhat.com/nhorman/papers/rhel4_vm.pdf
Daniel P. Bovet and Marco Cesati, "Understanding the Linux Kernel, 3rd edition", chapter 15 "The Page Cache". Available on the web at http://www.linux-security.cn/ebooks/ulk3-html/
Robert Love, "Linux Kernel Development, 2nd edition", chapter 15 "The Page Cache and Page Writeback"
"Runtime Memory Management", http://tree.celinuxforum.org/CelfPubWik … easurement
"Red Hat Enterprise Linux-Specific [Memory] Information", http://www.redhat.com/docs/manuals/ente … lspec.html
"Tuning Swapiness", http://kerneltrap.org/node/3000
"FAQ Linux Memory Management", http://gentoo-wiki.com/FAQ_Linux_Memory_Management
From the Linux kernel tree:
    * Documentation/filesystems/proc.txt (the meminfo documentation there originally from http://lwn.net/Articles/28345/)
    * Documentation/sysctl/vm.txt
    * Mm/page-writeback.c
References: I/O scheduling
While not directly addressed here, the I/O scheduling algorithms in Linux actually handle the writes themselves, and some knowledge or tuning of them may be synergistic with adjusting the parameters here. Adjusting the scheduler only makes sense in the context where you've already configured the page cache flushing correctly for your workload.
D. John Shakshober, "Choosing an I/O Scheduler for Red Hat Enterprise Linux 4 and the 2.6 Kernel" http://www.redhat.com/magazine/008jun05 … chedulers/
Robert Love, "Kernel Korner: I/O Schedulers", http://www.linuxjournal.com/article/6931
Seelam, Romero, and Teller, "Enhancements to Linux I/O Scheduling", http://linux.inet.hr/files/ols2005/seelam-reprint.pdf
Heger, D., Pratt, S., "Workload Dependent Performance Evaluation of the Linux 2.6 I/O Schedulers", http://linux.inet.hr/files/ols2004/pratt-reprint.pdf
Upcoming Linux work in progress
-There is a patch in testing from SuSE that adds a parameter called dirty_ratio_centisecs to the kernel tuning which fine-tunes the write-throttling behavior. See "Patch: per-task predictive write throttling" at http://lwn.net/Articles/152277/ and Andrea Arcangeli's article (which has a useful commentary on the existing write throttling code) at http://www.lugroma.org/contenuti/eventi … rnel26.pdf
-SuSE also has suggested a patch at http://lwn.net/Articles/216853/ that allows setting the dirty_ratio settings below the current useful range, aimed at systems with very large memory capacity. The commentary on this patch also has some helpful comments on improving dirty buffer writing, although it is fairly specific to ext3 filesystems.
-The stock 2.6.22 Linux kernel has substantially reduced the default values for the dirty memory parameters. dirty_background_ratio defaulted to 10, now it defaults to 5. vm_dirty_ratio defaulted to 40, now it's 10
-A recent lively discussion on the Linux kernel mailing list discusses some of the limitations of the fsync mechanism when using ext3.
Copyright 2007 Gregory Smith. Last update 8/08/2007.

Similar Messages

  • I have downloaded Adobe Photoshop digitally but when i activated adobe I keep getting this error message Adobe Premiere Elements.exe - NO DISK. There is no disk in the drive. Please insert a disk into drive/device/harddisk/dr1

    I have downloaded Adobe Photoshop digitally but when I activated adobe I keep getting this error message Adobe Premiere.exe - NO DISK - There is no disk in the drive. Please insert a disk into drive/device/harddisk/DR1

    It sounds like you downloaded the wrong application, namely Adobe Premiere Elements.
    If you meant Adobe Photoshop Elements, you're in the wrong forum.  This is not the Elements forum.
    Here's the link to the forum you want:
    https://forums.adobe.com/community/photoshop_elements/content
    If you mean Photoshop proper, since you are posting in the Photoshop forum, give version details and your system specs.
    BOILERPLATE TEXT:
    Note that this is boilerplate text.
    If you give complete and detailed information about your setup and the issue at hand,
    such as your platform (Mac or Win),
    exact versions of your OS, of Photoshop (not just "CS6", but something like CS6v.13.0.6) and of Bridge,
    your settings in Photoshop > Preference > Performance
    the type of file you were working on,
    machine specs, such as total installed RAM, scratch file HDs, total available HD space, video card specs, including total VRAM installed,
    what troubleshooting steps you have taken so far,
    what error message(s) you receive,
    if having issues opening raw files also the exact camera make and model that generated them,
    if you're having printing issues, indicate the exact make and model of your printer, paper size, image dimensions in pixels (so many pixels wide by so many pixels high). if going through a RIP, specify that too.
    etc.,
    someone may be able to help you (not necessarily this poster, who is not a Windows user).
    a screen shot of your settings or of the image could be very helpful too.
    Please read this FAQ for advice on how to ask your questions correctly for quicker and better answers:
    http://forums.adobe.com/thread/419981?tstart=0
    Thanks!

  • Computer unresponsive with disk activity, even when disk is USB

    Hi,
    I've always had issues with responsiveness with Linux when there is disk activity (several distro's, same hardware), whereas a Windows XP installation reacts very snappily. When I have a torrent client open, Mplayer keeps hanging a few times a minute (even more often when the download is going fast (2 MB/s)).
    Recently I migrated to ext4 in the hopes that would fix it, but it didn't. It's also not something as simple as a DMA issue (because it's SATA). Disk throughput is about 80 MB/s, which is OK.
    Anyway, currently, I'm performing this on a USB disk:
    dd if=/dev/zero of=/dev/sdc1 bs=10M
    And even then the computer is almost unusable, which it shouldn't be, because the internal disks are not used for this. And some time back when I was copying an AVI to a USB stick, it was utterly unusable.
    Maybe it's a driver issue, because I can't imagine the normal schedulers being so horrible, but I can't say.
    My disk controller can't be accessed with AHCI (there is no 'native' option in the BIOS), yet NCQ is enabled:
    # dmesg|grep -i ncq
    [ 1.313605] ata3.00: 2930275055 sectors, multi 16: LBA48 NCQ (depth 0/32)
    [ 1.800338] ata4.00: 2930277168 sectors, multi 16: LBA48 NCQ (depth 0/32)
    [ 2.324738] ata6.00: 488395055 sectors, multi 16: LBA48 NCQ (depth 0/32)
    I have kernel 3.1.1-1-ARCH, so I should have the 'wonder patch'.
    Hardware:
    CPU: Athlon X2 3800+ (2GHz dual core).
    RAM: 2 GB DDR400 RAM.
    Chipset: Nvidia nForce 4 ultra.
    Disks (in MD RAID1): 2 WDC WD15EARS-00Z5B1 (disks have changed over the years) and 1 Seagate disk (which contains windows and is spun down in Linux, to prevent noise).
    I disabled the (self-destructing) head parking feature of the caviar green disks with WDidle by setting the timeout to max (disabling the head parking with WDidle actually lets it trigger constantly, that's why I chose this way).
    Lspci:
    00:00.0 Memory controller: nVidia Corporation CK804 Memory Controller (rev a3)
    00:01.0 ISA bridge: nVidia Corporation CK804 ISA Bridge (rev a3)
    00:01.1 SMBus: nVidia Corporation CK804 SMBus (rev a2)
    00:02.0 USB controller: nVidia Corporation CK804 USB Controller (rev a2)
    00:02.1 USB controller: nVidia Corporation CK804 USB Controller (rev a3)
    00:06.0 IDE interface: nVidia Corporation CK804 IDE (rev f2)
    00:07.0 IDE interface: nVidia Corporation CK804 Serial ATA Controller (rev f3)
    00:08.0 IDE interface: nVidia Corporation CK804 Serial ATA Controller (rev f3)
    00:09.0 PCI bridge: nVidia Corporation CK804 PCI Bridge (rev a2)
    00:0a.0 Bridge: nVidia Corporation CK804 Ethernet Controller (rev a3)
    00:0b.0 PCI bridge: nVidia Corporation CK804 PCIE Bridge (rev a3)
    00:0c.0 PCI bridge: nVidia Corporation CK804 PCIE Bridge (rev a3)
    00:0d.0 PCI bridge: nVidia Corporation CK804 PCIE Bridge (rev a3)
    00:0e.0 PCI bridge: nVidia Corporation CK804 PCIE Bridge (rev a3)
    00:18.0 Host bridge: Advanced Micro Devices [AMD] K8 [Athlon64/Opteron] HyperTransport Technology Configuration
    00:18.1 Host bridge: Advanced Micro Devices [AMD] K8 [Athlon64/Opteron] Address Map
    00:18.2 Host bridge: Advanced Micro Devices [AMD] K8 [Athlon64/Opteron] DRAM Controller
    00:18.3 Host bridge: Advanced Micro Devices [AMD] K8 [Athlon64/Opteron] Miscellaneous Control
    01:07.0 Multimedia audio controller: Creative Labs SB Audigy (rev 04)
    01:07.1 Input device controller: Creative Labs SB Audigy Game Port (rev 04)
    01:07.2 FireWire (IEEE 1394): Creative Labs SB Audigy FireWire Port (rev 04)
    01:08.0 Multimedia video controller: Brooktree Corporation Bt878 Video Capture (rev 11)
    01:08.1 Multimedia controller: Brooktree Corporation Bt878 Audio Capture (rev 11)
    05:00.0 VGA compatible controller: nVidia Corporation G96 [GeForce 9500 GT] (rev a1)
    # cat /proc/mdstat ( which shows no write intent bitmap to slow it down):
    Personalities : [raid1]
    md1 : active raid1 sda2[0] sdb2[1]
    1464969720 blocks super 1.0 [2/2] [UU]
    md0 : active raid1 sda1[0] sdb1[1]
    156788 blocks super 1.0 [2/2] [UU]
    unused devices: <none>
    Anybody know what might be causing this?

    I recently tried to play around with the schedulers and I found out that using "deadline" for my internal drives, "cfq"  for my optical drive and "noop" for everything else. I tried copying a load of small files on my USB flashdrive while playing a movie from the optical drive and the system felt very responsive.
    I've been playing some more, and you're right in that it seems that with the internal disks at deadline, the system is a lot more responsive. Previously, I put the external disk I was zeroing at deadline too, but that (I know now) made it worse again.
    I run a 3.2-rc5 kernel which seems to help considerably though.
    Has there been any specific change in that kernel to cause that?
    BTW, I noticed that the NCQ queue on your drives is of 0 length, try setting it o 31 like this (as root).
    I always wondered about the NCQ queue. In pages about NCQ that I found, the dmesg also reported a queue of 0. I just always figured it meant how many commands it currently had, being zero at boot time.
    When I do "cat /sys/block/sda/device/queue_depth" it always says one, regardless of disk activity.

  • [SOLVED] High disk activity after kernel boot

    Hi,
    after kernel loading (just before getty starts) i notice extremely high disk activity for ~20 seconds for no reason. I think that it is something related to systemd and mount services.
    When i set rootfs to read-only in syslinux kernel parameters then the system starts normally without delay. So, i think that something is constantly writing to (or checking?) my hard disk right after boot sequence.
    I'm using  kernel 3.7.9-1-ARCH.
    $ systemd --version
    systemd 197
    +PAM -LIBWRAP -AUDIT -SELINUX -IMA -SYSVINIT +LIBCRYPTSETUP +GCRYPT +ACL +XZ
    $ systemd-analyze
    Startup finished in 3121ms (kernel) + 6238ms (userspace) = 9360ms
    $ systemd-analyze blame
    1289ms NetworkManager.service
    1173ms colord.service
    812ms systemd-logind.service
    722ms systemd-binfmt.service
    660ms systemd-udevd.service
    639ms systemd-sysctl.service
    314ms tmp.mount
    305ms systemd-remount-fs.service
    300ms upower.service
    219ms systemd-tmpfiles-setup.service
    168ms polkit.service
    160ms dev-sda2.swap
    156ms systemd-vconsole-setup.service
    129ms wpa_supplicant.service
    125ms dev-mqueue.mount
    121ms dev-hugepages.mount
    108ms systemd-udev-trigger.service
    101ms verynice.service
    59ms systemd-user-sessions.service
    48ms boot.mount
    47ms hpfall.service
    46ms home.mount
    43ms cpupower.service
    27ms sys-kernel-config.mount
    4ms proc-sys-fs-binfmt_misc.mount
    Syslinux kernel parameters (either ro or rw has the same result)
    APPEND root=/dev/sda3 rw nomodeset vga=current clocksource=acpi_pm libahci.ignore_sss=1
    Tried also with fsck hook and removing sda3 from fstab
    APPEND root=/dev/sda3 rw nomodeset vga=current clocksource=acpi_pm libahci.ignore_sss=1 rootflags=noatime,barrier=0
    my fstab:
    # UUID=925aba97-6805-442b-bb51-3ea6c16a5a86
    /dev/sda3 / ext4 rw,noatime,barrier=0 0 0
    # UUID=dd60df02-7992-43c1-a0e0-79441e23268e
    /dev/sda1 /boot ext4 rw,noatime 0 0
    # UUID=d2621666-f2c5-4f36-8da3-c0f21a23246c
    /dev/sda4 /home ext4 rw,noatime 0 0
    # UUID=3d70bc7d-5b0c-4adc-ba84-f32c9d132bcc
    /dev/sda2 none swap defaults 0 0
    Thanks for your time.
    Last edited by anelehto (2013-02-23 14:27:41)

    It was a problem with preload and its configuration.. I removed it and everything went back to normal!

  • Disk activity high

    Disk activity on my iMac seems to be running very high, even wwhen I am not actually doing anything?
    Is this an issue as my iMac keeps getting the spinning wheel even when there is little happening.
    Any help would be much appreciated.
    Cheers...Scotty

    Use "Activity Monitor" app from the utilities folder to monitor what causes this. Make sure to not only watch "my processes" but "all processes".
    Common Cause for high Disk I/O is spotlight indexing - in Lion more then in earlier OS. IT helps to exclude filetypes and folders via Spotlights prefpane in system settings.

  • For OS X: Whenever I have internet access my disk is running continuously for a period of time without any activity on my part.  When I close internet access the disk activity stops.  Who is fishing for data?

    For OS X v5 or 6: Whenever I have internet access my disk is running continuously for a period of time without any activity on my part.  When I close internet access the disk activity stops.  Who is fishing for data?

    Thanks for your reply.  I don't use itunes so that couldn't be it.  Reading about Little Snitch and Hands Off, however,  educated me about the data harvesting in many apps and that when buying from the AppStore one will more likely get Apps with benign data harvesting.

  • High hard disk activity caused by systemd-tmpfile

    Hi
    I have home server PC running pure, console Archlinux on it 24/7. It works fine for about 3 years and still do, but after systemd transition I noticed that my server periodically runs systemd-tmpfile daemon which causes intensive and continuous hard disk activity.
    My /etc/tmpfiles.d is empty, but here is the content of /usr/lib/tmpfiles.d folder:
    -rw-r--r--   1 root root     30 Sep 20  2012 apache.conf
    -rw-r--r--   1 root root     30 Jan 13 17:58 console.conf
    -rw-r--r--   1 root root     19 Jan 27 06:41 lastlog.conf
    -rw-r--r--   1 root root   1146 Jan 13 17:58 legacy.conf
    -rw-r--r--   1 root root     29 Feb  5 11:09 lirc.conf
    -rw-r--r--   1 root root     24 Mar  5 12:57 mpd.conf
    -rw-r--r--   1 root root     33 Feb 25 19:41 mysqld.conf
    -rw-r--r--   1 root root     27 Jan 27 09:09 nscd.conf
    -rw-r--r--   1 root root     51 Feb 25 17:32 samba.conf
    -rw-r--r--   1 root root     36 Oct 13 19:30 saslauthd.conf
    -rw-r--r--   1 root root     33 Dec 21 16:39 svnserve.conf
    -rw-r--r--   1 root root    736 Jan 13 17:58 systemd.conf
    -rw-r--r--   1 root root    449 Jan 13 17:58 tmp.conf
    -rw-r--r--   1 root root     30 Dec 13 15:24 uuidd.conf
    -rw-r--r--   1 root root    622 Jan 13 17:58 x11.conf
    My question is how to know which *.conf file causes such a high HDD activity or how to resolve the problem at all?
    Last edited by clovenhoof (2013-03-21 18:20:26)

    Ok here is what get with "lsof -c systemd-tmpfile" during this activity:
    COMMAND    PID USER   FD   TYPE             DEVICE SIZE/OFF    NODE NAME
    systemd-t 1069 root  cwd    DIR                8,3     4096       2 /
    systemd-t 1069 root  rtd    DIR                8,3     4096       2 /
    systemd-t 1069 root  txt    REG                8,3    59504  290840 /usr/bin/systemd-tmpfiles
    systemd-t 1069 root  mem    REG                8,3    52144  262523 /usr/lib/libnss_files-2.17.so
    systemd-t 1069 root  mem    REG                8,3   138206  262495 /usr/lib/libpthread-2.17.so
    systemd-t 1069 root  mem    REG                8,3    18760  277530 /usr/lib/libattr.so.1.1.0
    systemd-t 1069 root  mem    REG                8,3  2035539  262449 /usr/lib/libc-2.17.so
    systemd-t 1069 root  mem    REG                8,3    31744  262453 /usr/lib/librt-2.17.so
    systemd-t 1069 root  mem    REG                8,3    16776  299945 /usr/lib/libcap.so.2.22
    systemd-t 1069 root  mem    REG                8,3   165436  262497 /usr/lib/ld-2.17.so
    systemd-t 1069 root    0r   CHR                1,3      0t0    6461 /dev/null
    systemd-t 1069 root    1u  unix 0xffff8801393df1c0      0t0   23160 socket
    systemd-t 1069 root    2u  unix 0xffff8801393df1c0      0t0   23160 socket
    systemd-t 1069 root    3u  unix 0xffff8801393dba80      0t0   23161 socket
    systemd-t 1069 root    4r   DIR                8,3  9482240 1970431 /var/tmp
    systemd-t 1069 root    5r   DIR                8,3     4096  793638 /var/tmp/systemd-private-G25Rag

  • IMac sleeps even when disk activity is occurring - Mavericks

    Hi,
    I have had this problem for awhile, but was hoping a software update would have fixed the problem (but hasn't).
    I have an 2011 iMac running Mavericks and I have noticed that the sleep function does not behave as expected.
    I often have my iMac copy files between two external drives or perform backups overnight, but have found that my iMac will go to sleep in the middle of the process.  I have my Energy Saver settings set so that my iMac goes to sleep after 15 minutes and will try to put the hard drives to sleep where possible, however my iMac should not go to sleep if disk activity is happening.
    I find that when I wake up in the morning, my file transfers have been paused and only recommence once the IMac is woken.  This is the same with my CarbonCopyClone, the backup is paused but restarts when the iMac wakes.
    It used to be that these functions could happen overnight and my iMac would only sleep once they were completed.
    My workaround has been to keep my iMac awake using the Caffeine Application, but this is not ideal as Caffeine does not know when the process has finished.
    Any help would be appreciated, 

    Good thread on this issues at MacRumours (http://forums.macrumors.com/showthread.php?t=1415661). Suggested solution is to install Caffeine from the App Store (http://itunes.apple.com/us/app/caffe...11246225?mt=12).

  • Why is there now unusually high, constant disk activity on my Mac?

    Firefox 9.0.1 on Mac OS X 10.6.8 is churning my HD and then must be force quit. It seems to run but there's definately something new and unusual happening here.

    Thanks for taking the time to reply.
    You are right in that there are a lot of guides around to creating "fake" RAC clusters, however Hunter's guide appears to be one of the best and I found it while browsing around the Oracle website. Of course Oracle stress that it is entirely unsupported and for "education purposes" :)
    Well education is what I'm after and I accept that it would perform nowhere near a real cluster. Still the performance issues I'm having appear abnormal.
    The background to this is that one the applications I manage at work (Vmware) has a backend DB hosted on RAC. There is an entire database team who look after this area. For my own personal edification I'd like to learn a bit more about RAC (and Oracle in general) and get my hands dirty, though I currently have no long term aspirations to become a full fledged DBA. I'm working through a text on Safari and I thought it would be useful to create a "fake" as you put it cluster at home and play around a bit. Unfortunately the resources to create a "proper" environment are currently not within my means:(
    With regards to my problem I was hoping someone here has played around with a similar setup and could advise whether they had similar issues. The 3 days or so I spent labouring through the 60 page guide was far more educational than just reading a text.
    I've found that the excessive disk activity appears to be down to my server and Vmware ESXi rather than Oracle. I stopped all instances and CRS and the constant disk activity still continued. I had taken number of snapshots of each linux node during my installation and I'm currently deleting these to see whether this improves things. My hard disk could well be the bottleneck as ESXi is really meant for SCSI controllers and disks if using local datastores.
    I'll take your advice and have a trawl through Ebay. I will also install standalone oracle on a seperate box and have a play with that.
    Peter

  • Periodic disk activity when idle

    Hi,
    I've recently purchased a new Macbook Pro. Whenever my machine is idle, I can hear some disk activity every 30 seconds, even without any applications launched. Activity Monitor confirms this disk activity: every 30 seconds or so, I see red spikes appearing: it's almost like clockwork!
    Is anyone else having this issue? I'm worried that this might crash my hard drive :S Thanks in advance!

    I recently got a Mac Pro 8-core (Intel Xeon), and have been experiencing constant hard drive activity, but not from the beginning, so it had to come from something I installed.
    First off I connected my laptop via firewire and ran Disk Warrior. There were acute problems, as part of the DW conclusion text was in red. After repair, and restart, I found that the the disc activity continued. I saw this thread and the link to another thread prompted me to uninstall Adobe CS3. That did the trick. After a reboot, I ran the CS5 Cleaner program, but that didn't seem to find anything after the uninstall. All that remained was to delete the cache.db in /Library/Application Support/Adobe/Adobe PCD/cache/. I rebooted again for good measure. Voila! No more disc activity. I think I'll try re-installing Adobe CS one program at a time, and not do them all in one install. That way, if the disc activity starts up again, I'll know which program did it. Hopefully, that won't happen, and all the demons are exorcised from this machine.

  • CUCM 5.1.3 - Disk/active (91%)

    I have already set logging to default settings and set the high water mark to 70% on the Disk/logging partition.
    Now the Active partition is full, how can I resolve this?
    Many Thanks, Nico
    admin:show status
    Host Name : SP-CM-SRV01
    Date : Tue Jun 23, 2009 10:32:39
    Time Zone : Africa/Casablanca
    Locale : en_US.UTF-8
    Product Ver : 5.1.3.4000-4
    Platform Ver : 2.0.0.1-1
    Uptime:
    10:32:41 up 167 days, 17:03, 1 user, load average: 0.18, 0.13, 0.17
    CPU Idle: 84.42% System: 03.02% User: 06.53%
    IOWAIT: 06.03% IRQ: 00.00% Soft: 00.00% Intr/sec: 247.00
    Memory Total: 2055436K
    Free: 19336K
    Used: 2036100K
    Cached: 654832K
    Shared: 0K
    Buffers: 126036K
    Total Free Used
    Disk/active 12316656K 1150924K 11040600K (91%)
    Disk/inactive 12316672K 895532K 10795472K (93%)
    Disk/logging 43103012K 12378716K 28534768K (70%)
    admin:

    I found a few bugs on this CUCM version:
    CSCsl16440
    CAR Systemoverview report failure causing active partition full
    CAR Systemoverview report failure causing active partition full
    Symptom:
    large number of files are accumulated under /usr/local/thirdparty/jakarta-tomcat/webapps/carreports/reports/pregenerated/SystemOverview, when monthly system overview report failes
    Conditions:
    configure CAR to run monthly system overview report
    Workaround:
    Disable monthly system overview report.
    CSCse82038
    Licensing files write to /tmp causes 100% disk usage in Active partition
    Licensing files write to /tmp causes 100% disk usage in Active partition
    Symptom:
    Licensing trace file "licThreadDump.log" write to /tmp that contribute to 100% disk usage in Active partition.
    Conditions:
    Build 5.0.3.9911-66
    Workaround:
    Do not have a workaround
    CSCsk61129
    MOH file upload fails due to lack of disk space
    CSCsl16967
    DRS stuck in CCMDB backup if many CDR files in Preserved folder
    Symptom:
    Callmanager 5.1.3 is able to backup the components to SFTP server successfully earlier, but as with the system running and the CDR records starting to build up, the backup start to fail at some stage.
    Condition:
    huge set of CDR/CMR files may accumulate in Preserve folders (e.g 110,000) caused a big backup.log file exceeded 1 MB(e.g 20MB)
    Typical Scneario:
    Customer does not want to use CAR but using third party billing server instead and CAR loader is disabled, in callmanager 5.1.3, this can result in large number of CDR/CMR accumulated in Preserve folder.
    Workaround:
    In 5.1.3 and later
    Stopping CAR service will not stop accumulating flat CDR Files.
    To clean up the CDR files temporarily to that DRS can proceed,
    1. stop the CDR Agent service on all servers in the cluster, so no new CDR files will be pushed to the publisher.
    2. check to make sure all the files have been pushed to the billing server(s), do the following command
    ls -R /var/log/active/cm/cdr_repository/destination*
    to make sure there is no symbolic link in any of the subfolders
    3. Stop CDR Repository Manager, CAR Scheduler and CAR Web Service on the publisher
    4. remove all the files under /var/log/active/cm/cdr_repository/preserve/ that have been accumulated. And remove all the symbolic links under /var/log/active/cm/cdr_repository/car/ with the following commands,
    rm -rf /var/log/active/cm/cdr_repository/preserve/*
    rm -rf /var/log/active/cm/cdr_repository/car/*
    5. restart CDR Repository Manager, CAR Scheduler, CAR Web Services on the publisher.
    To stop further accumulation of CDR files, start CAR Scheduler service, set the loader to schedule to continuously loading, load CDR only.
    1. create a ccmadmin account if not yet in user group management on ccmadmin page
    2. log in to CAR, go to System->Scheduler->CDR Load,
    3. check "Continuous Loading 24/7" and "Load CDR only" boxes
    4. click "update"
    5. goto System->Database->Configure Automatic Database Purge,
    6. set both "Min Age of Call Detail Records" and "Max Age of Call Detail Records' to 1
    7. click "update"
    8. go to Report Config->Automatic Generation/Alert
    9. For each report, select "Disabled" status and click "Update"
    Finally, restart CDR Agent service on all the servers.
    workaround for DRS :
    1. Restart DRS Master Agent and Local Agent.
    2. Delete the backup.log from location /common/drf
    CSCsl16440
    CAR Systemoverview report failure causing active partition full
    Symptom:
    large number of files are accumulated under /usr/local/thirdparty/jakarta-tomcat/webapps/carreports/reports/pregenerated/SystemOverview, when monthly system overview report failes
    Conditions:
    configure CAR to run monthly system overview report
    Workaround:
    Disable monthly system overview report.
    Further Problem Description:

  • Slow imac - too much disk activity

    My wife's iMac is booting and running very slow. It takes close to 4 minutes for the boot process to complete. Once logged in applications start slow, run slow, and take forever to exit. Sometimes when quitting an application the application window will disappear but the menu bar will stay present with the Application pulldown name highlighted. The iMac at that point is locked up and the power button has to be used to shut it down.
    What happened prior to this?
    From what I can tell, a few days ago, while using Mail, it would crash. Then the iMac started booting slowly and running slowly. I am not sure which happened first. Yesterday, when running Mail a dialog box appeared stating that no accounts existed on the iMac. I recreated her account. However, it still booted slowly and continued to run slowly.
    What I have tried:
    I have used Cocktail to clear out DS Store, Cache files, and Repair Privileges. Cocktail hangs after running the Repair Privileges for about 2 minutes.
    I have used Mac Scan 2 to search for possible ad/spy ware - it hangs when running.
    I have booted from the 10.3 Installation CD and used Disk Utility to try to Repair Privileges. I was able to do that but had to run it several times before there were no more improper permissions assigned.
    I have used Mac Janitor to run the 3 maintenance routines, Daily, Weekly, and Monthly. Daily ran fine. Monthly ran file. Weekly always hangs after running for about 2 minutes.
    I have used TechTools and ran all tests available twice - all hardware passed both times.
    I have used Terminal and run plutil on System and User preference files. No errors were reported.
    I have disconnected all USB and Firewire devices. Only the keyboard and mouse that came with the iMac are connected to the iMac.
    There also appears to be some type of disk activity always going on. It always has the same pattern:
    click, click..........click
    click, click..........click
    click, click...click, click, click, click
    click, click..........click
    click, click..........click
    click, click...click, click, click, click
    I'm not saying the pattern is important, but the fact that it is consistent maybe.
    Even at startup, as soon as the Apple logo appears, the same disk activity pattern can be heard.
    Login was set to automatically login my wife. I changed that to require username and password. No change. Her account has admin privileges.
    I then created a new administrator account and used it. The same slowness and disk activity results.
    Any help would be greatly appreciated. The only thing I can think of to try at this point is to reinstall the operating system.
    Sincerely,
    Steve
    iMac   Mac OS X (10.3.9)   400MHz 512MB Memory

    Right off the bat you need a much larger hard drive. Not nearly large enough and you don't have much free space left.
    Re-read my previous suggestion. Don't run "Verify Disk", run "Repair Disk."
    Without the SMART status you cannot tell if the drive noises indicate a failing drive, but inasmuch as you need at least a 30 or 40 GB drive I'd suggest replacing the drive.
    You can also do some maintenance.
    Kappy's Personal Suggestions for OS X Maintenance
    For disk repairs use Disk Utility. For situations DU cannot handle the best third-party utilities are: Disk Warrior; DW only fixes problems with the disk directory, but most disk problems are caused by directory corruption; Disk Warrior 4.0 is now Intel Mac compatible. TechTool Pro provides additional repair options including file repair and recovery, system diagnostics, and disk defragmentation. TechTool Pro 4.5.2 is Intel Mac compatible; Drive Genius is similar to TechTool Pro in terms of the various repair services provided. The current version, 1.5.1, is Intel Mac compatible.
    OS X performs certain maintenance functions that are scheduled to occur on a daily, weekly, or monthly period. The maintenance scripts run in the early AM only if the computer is turned on 24/7 (no sleep.) If this isn't the case, then an excellent solution is to download and install a shareware utility such as Macaroni, JAW PseudoAnacron, or Anacron that will automate the maintenance activity regardless of whether the computer is turned off or asleep.
    OS X automatically defrags files less than 20 MBs in size, so unless you have a disk full of very large files there's little need for defragmenting the hard drive. As for virus protection there are few if any such animals affecting OS X. You can protect the computer easily using the freeware Open Source virus protection software ClamXAV. Personally I would avoid most commercial anti-virus software because of their potential for causing problems.
    I would also recommend downloading the shareware utility TinkerTool System that you can use for periodic maintenance such as removing old logfiles and archives, clearing caches, etc.
    For emergency repairs install the freeware utility Applejack. If you cannot start up in OS X, you may be able to start in single-user mode from which you can run Applejack to do a whole set of repair and maintenance routines from the commandline.
    When you install any new system software or updates be sure to repair the hard drive and permissions beforehand. I also recommend booting into safe mode before doing system software updates.
    Get an external Firewire drive at least equal in size to the internal hard drive and make (and maintain) a bootable clone/backup. You can make a bootable clone using the Restore option of Disk Utility. You can also make and maintain clones with good backup software. My personal recommendations are (order is significant):
    1. Retrospect Desktop (Commercial - not yet universal binary)
    2. Synchronize! Pro X (Commercial)
    3. Synk (Backup, Standard, or Pro)
    4. Deja Vu (Shareware)
    5. PsynchX 2.1.1 and RsyncX 2.1 (Freeware)
    The following utilities can also be used for backup, but cannot create bootable clones:
    1. Backup (requires a .Mac account with Apple both to get the software and to use it.)
    2. Toast
    3. Impression
    4. arRSync
    Apple's Backup is a full backup tool capable of also backing up across multiple media such as CD/DVD. However, it cannot create bootable backups. It is primarily an "archiving" utility as are the other two.
    Impression and Toast are disk image based backups, only. Particularly useful if you need to backup to CD/DVD across multiple media.
    Visit The XLab FAQs and read the FAQs on maintenance, optimization, virus protection, and backup and restore.
    Additional suggestions will be found in Mac Maintenance Quick Assist.
    Referenced software can be found at www.versiontracker.com and www.macupdate.com.

  • Hello Mac users and amazing helpers:) I have a Disk Activity problem!

    Hello, I need some assistance; I have the same problem as the following link:
    https://discussions.apple.com/thread/248361?start=0&tstart=0
    so my activity monitor shows that the cpu is fine the graph is ok but when i switch to Disk Activity the graph is too high on the red color but the reading and writing process is almost 0 bytes/sec. It's odd, i have things running on the activity monitor, but it's not all that huge. Otherwise it would also cause the cpu to react. I've got 8gb ram. I don't understand the problem...
    I read when researching this problem in the following link above that rebuilding my database can be the answer to this problem but the thing is can someone tell me HOW can I rebuild my database step by step on my macbook pro mountain lion. Would it affect (delete things) on my mac? What can I quit on activity monitor that is not important? or better way of asking this question is what shall I not quit on activity monitor? please help answer every question.
    Another problem that I have, is my macbook pro doesn't sleep when I close the lid, I've reset the SMC and it didn't help. I have replaced my orginal screen glass with another one because the original broke but the lid was working fine. It went to sleep whenever i closed it. I heard it could be from some program or software i installed i can't figure which specific programme or software it is, because as i mentioned above i dont know what can I quit and what shouldn't I quit. Please help This would be so great please help thanks a lot Support community, you're wonderful with offering help Thank you.

    my problem statement is that my activity monitor when I switch to Disk Activity the graph is too high on the red color but the reading and writingprocess is almost 0 bytes/sec. may I ask you why is that? why does the ram usage increase? even though I don't run that may applications,but many processes. Here are some screen shots. Please tell me what can I quit thanks
    yes my mac does sleep when i do it your way. I have stong hope that it's an application which makes it like this some people had this issue from a programme called litlle snitch I deleted it but it wasnt little snitch it could be something else please help i believe the lid can be fixed and it shouldn't be a big deal there should be a life hack for it

  • Constant disk activity on 2 node RAC 11g cluster - Can anyone help?

    Hi Folks,
    My first post on the forum so I hope you go easy with me.
    I'm new to Oracle, and thought that the best way to get into it would be to dive in and build an experimental RAC cluster on my home network. To this end I used Jeff Hunter's "Build Your Own Oracle RAC Cluster on Oracle Enterprise Linux and iSCSI" guide.
    My only departures from the guide is that I've modelled the architecture entirely within Vmware ESXi on a single quad core Opteron server (HP ML115 G5) with 8Gb RAM and a 1 Tb SATA hard disk. I've also used Openfiler 2.3 for the iSCSI storage rather than the deprecated 2.2. I therefore have 2 Virtual Machines running Oracle Enterprise Linux 5.1, and a 3rd VM running Openfiler 2.3. Each VM has a second virtual NIC connected to an isolated vswitch which functions as the RAC interconnect network.
    I've completed the configuration of the cluster and all the checks (as per the article) report that everything is a-OK.
    However I've noticed that there is a high rate of disk activity on my server, which continues constantly. I've left the server running overnight and the continuous disk activity is still there! :(
    I also noticed yesterday that I could not stop the first instance using either the instance specifc srvctl stop instance -d orcl -i orcl1
    or the global srvctl stop database -d orcl. In both cases the command appeared to hang. I had no problems stopping the second instance on the other node though. Not sure whether this is related.
    So - does anyone else run a similar "single box" setup, and if you do are you noticing similar constant disk activity? If not could you recommend any troublehooting steps I can take to determine the root cause? While the disk activity is contant, the "bursts" appear random, so it looks like something is going on. Not sure what though! :)
    Any replies would be much appreciated.
    Peter

    Thanks for taking the time to reply.
    You are right in that there are a lot of guides around to creating "fake" RAC clusters, however Hunter's guide appears to be one of the best and I found it while browsing around the Oracle website. Of course Oracle stress that it is entirely unsupported and for "education purposes" :)
    Well education is what I'm after and I accept that it would perform nowhere near a real cluster. Still the performance issues I'm having appear abnormal.
    The background to this is that one the applications I manage at work (Vmware) has a backend DB hosted on RAC. There is an entire database team who look after this area. For my own personal edification I'd like to learn a bit more about RAC (and Oracle in general) and get my hands dirty, though I currently have no long term aspirations to become a full fledged DBA. I'm working through a text on Safari and I thought it would be useful to create a "fake" as you put it cluster at home and play around a bit. Unfortunately the resources to create a "proper" environment are currently not within my means:(
    With regards to my problem I was hoping someone here has played around with a similar setup and could advise whether they had similar issues. The 3 days or so I spent labouring through the 60 page guide was far more educational than just reading a text.
    I've found that the excessive disk activity appears to be down to my server and Vmware ESXi rather than Oracle. I stopped all instances and CRS and the constant disk activity still continued. I had taken number of snapshots of each linux node during my installation and I'm currently deleting these to see whether this improves things. My hard disk could well be the bottleneck as ESXi is really meant for SCSI controllers and disks if using local datastores.
    I'll take your advice and have a trawl through Ebay. I will also install standalone oracle on a seperate box and have a play with that.
    Peter

  • Constant CPU and Disk Activity

    I just upgraded my MBP from Tiger to Leopard, and also upgraded from trial to full .Mac account, so I now have an iDisk for the first time.
    I have iStat Menus installed and where, before the upgrades, the CPU graph showed a very low level of activity (almost zero) when the computer was idle, it now looks like a picket fence, with spikes reaching almost to the top of the graph. The disk activity graph exactly matches the CPU graph with regular spikes, which occur about very 7-8 seconds.
    I opened Activity Monitor, and the highest usage switches between 'Sync Server' (with a value of anything from 2 to 9) and 'kernel-task' (with a value of around 2.5). Something called 'mds' sometimes pops up to the top (with values of 2-3). It appears the culprit is 'Sync Server'. I've tried iDisk sync set to 'Manually', and also with it turned off altogether, but it makes no difference.
    Does anyone know what's going on here and, more importantly, how to get my MBP to relax again.
    Thanks in advance,
    Steve = : ^ )

    I'm resurrecting this question because the problem still exists. Restarting the computer always stops the spikes but they always start up again at some point (I'm yet to pinpoint a cause) and, once happening, I can quit all running apps (except Finder) and they persist, and they seem to occur about 10 secs. apart.
    The spikes occur in both cores but, if one core has a big spike (close to 100%) the other's is small and vice versa. Or they both have moderate spikes. It seems the total usage is about the same for every spike, though spread differently between the two cores.
    And the HD still shows activity at the same rate as the spikes.
    Any ideas what I should look for?
    Thanks in advance,
    Steve = : ^ )
    Message was edited by: Steve_Ball

Maybe you are looking for

  • Oracle xml DB and text features are not installed

    HI, I installed Sql developer 3.0 ,oracle 11g and jdk 7 on centos 5.when iam running sql developer its showing error message oracle xml DB and text features are not installed. pls anyone help me out. thanks srinivas Edited by: srinivas on Oct 17, 201

  • Fast RFC

    Hello everybody, I have a common question about using Fast RFC in SAP Web AS 6.40. Can I use Fast RFC when I have a standalone Java Dialog Instance and a standalone ABAP Dialog Instance on the same machine? Or does Fast RFC only is possible when usin

  • ISangean App doesn't recognize the radio from my iPod Touch 5

    Why can't I get the iSangean App to recognize my Sangean WFR-28 radio?  The same app on my Samsung Note 8, had no problems, so I think it's a iPod issue.  Any experience with this and/or a solution?

  • Missing Parameter Error

    Im trying to integrate Data from a CSV file into an oracle datastore. Im using LKM sql to oracle and IKM sql incremental update KMs. While loading the data the execution terminates with the error com.sunopsis.sql.SnpsMissingParametersException: Missi

  • VB Error  - Runtime error '49' Bad DLL  calling convention

    Hi Experts, When User is running report he is getting error VB Error  - Runtime error '49' Bad DLL  calling convention . Can you please suggest how to resolve this issue? User has already tried uninstalling SAP GUI and installing again. Thanks & Rega