Ejb jars not being read from application.xml

Hello. If somebody wouldn't mind reading this, I've been wrestling wiht this most of the day. I have a coupe of entity ejbs and a stateless session ejb, each packed into it's own jar. When I deploy the ear, the war deploys fine but the three ejb jar files are not read as per the application.xml. As a test, I put the jars into the default server lib directory and after I did that, the enterpise app launched as expected. I can't figure out why the server, resin 3.0.12, is not able to see these ejb jars. I've tried to add the directory after deployment to the classpath in the autoexec.bat but no dice. I've moved the ejb jars around into subdirectories and modified the application.xml accordingly but to no avail. I've also looked into the server configuration file but resin doesn't seem to have any taggings within it's ejb server tag that would dictate where the container would look for jar or class files. Does anybody have any ideas what this could be?...this is the application.xml...pretty straightforward...the ejb jars are located in the root of the ear...
<?xml version="1.0" encoding="ISO-8859-1" ?>
<!DOCTYPE web-app (View Source for full doctype...)>
- <application>
<display-name>MyApp</display-name>
- <module>
<ejb>cn.jar</ejb>
</module>
- <module>
<ejb>cnf.jar</ejb>
</module>
- <module>
<ejb>cni.jar</ejb>
</module>
- <module>
- <web>
<web-uri>nctims.war</web-uri>
<context-root>/nctims</context-root>
</web>
</module>
</application>
Thank you very much for taking your time to read my post.

Hello. Thank you very much for the reply.
Yeah, application.xml is sitting in META-INF. The war referenced wihtin application.xml deploys fine...the container jsut seems to ignore the <module><ejb>..</ejb></module> tags when it reads the ejb deployment descriptors and tries to locate the classes. I've tried everything...shouldn't application.xml take care of all class-loader issues with the module references? Thank you again to everybody reading this or whatever.

Similar Messages

  • Local Resource not being read from database

    I created a Customer Resource Provider for my project. 
    This provider is executing properly for Global resource requests (see sample #1 reference below). 
    However, for Local resource references (see Sample #2 below), it is not loading anything.  Can anybody help out or spot what is wrong?
    Sample #1:
    <asp:Label
    ID="lblAmount"
    runat="server"
    Text="<%$
    Resources:TestResource, Total_Amount_is %>"></asp:Label
    >
    Sample #2:
    <asp:TextBox
    ID="txtMoney"
    runat="server"
    meta:resourcekey="txtMoneyResource1"></asp:TextBox>
    Here is the Customer Provider code:
    using System;
    using System.Collections;
    using System.Collections.Generic;
    using System.Collections.Specialized;
    using System.Linq;
    using System.Web;
    using System.Web.Compilation;
    using System.Globalization;
    using System.Resources;
    using System.Data;
    using System.Data.SqlClient;
    using System.Data.SqlTypes;
    using System.Text;
    using System.Diagnostics;
    using System.Runtime.CompilerServices;
    namespace Globalization_and_LocalizationV6
    public sealed class SqlResourceProviderFactory : ResourceProviderFactory
    public SqlResourceProviderFactory()
    public override IResourceProvider CreateGlobalResourceProvider(string classKey)
    return new SqlResourceProvider(null, classKey);
    public override IResourceProvider CreateLocalResourceProvider(string virtualPath)
    //virtualPath = System.IO.Path.GetFileName(virtualPath);
    //virtualPath = virtualPath.Replace(HttpContext.Current.Request.ApplicationPath, "");//System.Web.VirtualPathUtility.ToAppRelative(virtualPath)
    virtualPath = virtualPath.Replace(System.Web.VirtualPathUtility.ToAppRelative(virtualPath), "");
    return new SqlResourceProvider(virtualPath, null);
    }//End of Sealed Class called SqlResourceProviderFactory
    internal class SqlResourceProvider : IResourceProvider
    private string _virtualPath;
    private string _className;
    private IDictionary _resourceCache;
    private static object CultureNeutralKey = new object();
    public SqlResourceProvider(string virtualPath, string className)
    _virtualPath = virtualPath;
    _className = className;
    private IDictionary GetResourceCache(string cultureName)
    object cultureKey;
    if (cultureName != null)
    cultureKey = cultureName;
    else
    cultureKey = CultureNeutralKey;
    if (_resourceCache == null)
    _resourceCache = new ListDictionary();
    IDictionary resourceDict = _resourceCache[cultureKey] as IDictionary;
    if (resourceDict == null)
    resourceDict = SqlResourceHelper.GetResources(_virtualPath, _className, cultureName, false, null);
    _resourceCache[cultureKey] = resourceDict;
    return resourceDict;
    object IResourceProvider.GetObject(string resourceKey, CultureInfo culture)
    string cultureName = null;
    if (culture != null)
    cultureName = culture.Name;
    else
    cultureName = CultureInfo.CurrentUICulture.Name;
    object value = GetResourceCache(cultureName)[resourceKey];
    if (value == null)
    // resource is missing for current culture, use default
    SqlResourceHelper.AddResource(resourceKey, _virtualPath, _className, cultureName);
    value = GetResourceCache(null)[resourceKey];//How do you add a new item to the "list" inside this method? Or refresh the list with the updated data?
    if (value == null)
    // the resource is really missing, no default exists
    SqlResourceHelper.AddResource(resourceKey, _virtualPath, _className, string.Empty);
    return value;
    IResourceReader IResourceProvider.ResourceReader
    get
    return new SqlResourceReader(GetResourceCache(null));
    }//End of Sealed Class SqlResourceProvider
    internal sealed class SqlResourceReader : IResourceReader
    private IDictionary _resources;
    public SqlResourceReader(IDictionary resources)
    _resources = resources;
    IDictionaryEnumerator IResourceReader.GetEnumerator()
    return _resources.GetEnumerator();
    void IResourceReader.Close()
    IEnumerator IEnumerable.GetEnumerator()
    return _resources.GetEnumerator();
    void IDisposable.Dispose()
    }//End of Sealed Class SqlResourceReader
    internal static class SqlResourceHelper
    public static IDictionary GetResources(string virtualPath, string className, string cultureName, bool designMode, IServiceProvider serviceProvider)
    SqlConnection con = new SqlConnection(System.Configuration.ConfigurationManager.ConnectionStrings["ASPNETDB"].ToString());
    SqlCommand com = new SqlCommand();
    // Build correct select statement to get resource values
    if (!String.IsNullOrEmpty(virtualPath))
    // Get Local resources
    if (string.IsNullOrEmpty(cultureName))
    // default resource values (no culture defined)
    com.CommandType = CommandType.Text;
    com.CommandText = "select resource_name, resource_value" +
    " from ASPNET_GLOBALIZATION_RESOURCES" +
    " where resource_object = @virtual_path" +
    " and culture_name is null";
    com.Parameters.AddWithValue("@virtual_path", virtualPath);
    else
    com.CommandType = CommandType.Text;
    com.CommandText = "select resource_name, resource_value" +
    " from ASPNET_GLOBALIZATION_RESOURCES " +
    "where resource_object = @virtual_path " +
    "and culture_name = @culture_name ";
    com.Parameters.AddWithValue("@virtual_path", virtualPath);
    com.Parameters.AddWithValue("@culture_name", cultureName);
    else if (!String.IsNullOrEmpty(className))
    // Get Global resources
    string strFinalCultureName = string.Empty;
    if (String.IsNullOrEmpty(cultureName))
    strFinalCultureName = string.Empty;
    else
    strFinalCultureName = cultureName;
    com.CommandType = CommandType.Text;
    com.CommandText = "select resource_name, resource_value " +
    "from ASPNET_GLOBALIZATION_RESOURCES where " +
    "resource_object = @class_name and" +
    " culture_name = @culture_name ";
    com.Parameters.AddWithValue("@class_name", className);
    com.Parameters.AddWithValue("@culture_name", strFinalCultureName);
    //if (string.IsNullOrEmpty(strFinalCultureName))
    // // default resource values (no culture defined)
    // com.CommandType = CommandType.Text;
    // com.CommandText = "select resource_name, resource_value" +
    // " from ASPNET_GLOBALIZATION_RESOURCES " +
    // "where resource_object = @class_name" +
    // " and culture_name is null";
    // com.Parameters.AddWithValue("@class_name", className);
    //else
    // com.CommandType = CommandType.Text;
    // com.CommandText = "select resource_name, resource_value " +
    // "from ASPNET_GLOBALIZATION_RESOURCES where " +
    // "resource_object = @class_name and" +
    // " culture_name = @culture_name ";
    // com.Parameters.AddWithValue("@class_name", className);
    // com.Parameters.AddWithValue("@culture_name", cultureName);
    else
    // Neither virtualPath or className provided,
    // unknown if Local or Global resource
    throw new Exception("SqlResourceHelper.GetResources()" +
    " - virtualPath or className missing from parameters.");
    ListDictionary resources = new ListDictionary();
    try
    con.Open();
    //SqlCommand _com = con.CreateCommand();
    //_com.Connection = con;
    //_com.CommandType = CommandType.Text;
    //_com.CommandText = com.CommandText;
    //_com.Parameters.AddRange(com.Parameters.AddRange(com.Parameters.Cast<System.Data.Common.DbParameter>().ToArray()););
    //foreach (var Parameters in com.Parameters)
    // _com.Parameters.
    com.Connection = con;
    SqlDataReader sdr = com.ExecuteReader(CommandBehavior.CloseConnection);
    while (sdr.Read())
    string rn = sdr.GetString(sdr.GetOrdinal("resource_name"));
    string rv = sdr.GetString(sdr.GetOrdinal("resource_value"));
    resources.Add(rn, rv);
    catch (Exception e)
    throw new Exception(e.Message, e);
    finally
    if (con.State == ConnectionState.Open)
    con.Close();
    return resources;
    }//End of GetResources
    public static void AddResource(string resource_name, string virtualPath, string className, string cultureName)
    string resource_object = "UNKNOWN **ERROR**";
    if (!String.IsNullOrEmpty(virtualPath))
    resource_object = virtualPath;
    else if (!String.IsNullOrEmpty(className))
    resource_object = className;
    string strFinalCultureName = string.Empty;
    if (String.IsNullOrEmpty(cultureName))
    strFinalCultureName = string.Empty;
    else
    strFinalCultureName = cultureName;
    SqlConnection con = new SqlConnection(System.Configuration.ConfigurationManager.ConnectionStrings["ASPNETDB"].ToString());
    SqlCommand com = new SqlCommand();
    StringBuilder sb = new StringBuilder();
    sb.Append("MERGE ASPNET_GLOBALIZATION_RESOURCES as trg " +
    "using (values ('" + resource_object + "', '" + resource_name + "', '" + resource_name + " * DEFAULT * ', '" + strFinalCultureName + "')) " +
    "as source (RESOURCE_OBJECT, RESOURCE_NAME, RESOURCE_VALUE, CULTURE_NAME) " +
    "on " +
    " trg.RESOURCE_OBJECT = '" + resource_object + "' " +
    "and trg.RESOURCE_NAME = '" + resource_name + "' " +
    "and trg.CULTURE_NAME = '" + strFinalCultureName + "' " +
    "when matched then " +
    "update " +
    "set RESOURCE_VALUE = source.RESOURCE_VALUE " +
    "when not matched then " +
    "insert ( RESOURCE_OBJECT, RESOURCE_NAME, RESOURCE_VALUE, CULTURE_NAME) " +
    "values ( source.RESOURCE_OBJECT, source.RESOURCE_NAME, source.RESOURCE_VALUE, source.CULTURE_NAME);");
    com.CommandText = sb.ToString();
    //sb.Append("insert into ASPNET_GLOBALIZATION_RESOURCES " +
    // "(resource_name ,resource_value," +
    // "resource_object,culture_name ) ");
    //sb.Append(" values (@resource_name ,@resource_value," +
    // "@resource_object,@culture_name) ");
    //com.CommandText = sb.ToString();
    //com.Parameters.AddWithValue("@resource_name", resource_name);
    //com.Parameters.AddWithValue("@resource_value", resource_name +
    // " * DEFAULT * " +
    // (String.IsNullOrEmpty(cultureName) ?
    // string.Empty : cultureName));
    //com.Parameters.AddWithValue("@culture_name", (String.IsNullOrEmpty(cultureName) ? SqlString.Null : cultureName));
    //string resource_object = "UNKNOWN **ERROR**";
    //if (!String.IsNullOrEmpty(virtualPath))
    // resource_object = virtualPath;
    //else if (!String.IsNullOrEmpty(className))
    // resource_object = className;
    //com.Parameters.AddWithValue("@resource_object", resource_object);
    try
    com.Connection = con;
    con.Open();
    com.ExecuteNonQuery();
    catch (Exception e)
    throw new Exception(e.ToString());
    finally
    if (con.State == ConnectionState.Open)
    con.Close();
    }//End of AddResource
    public static IDictionary AASearch(List<Dictionary<string, object>> testData, Dictionary<string, object> searchPattern)
    return testData.FirstOrDefault(x => searchPattern.All(x.Contains));
    }//End of Class SqlResourceHelper
    }//End of Namespace Globalization_and_LocalizationV6

    Hi Daniel Rose01,
    Based on your description, this issue is related to the Web development, am I right?
    Since the ASP.NET has his own support forums, so if it is related to the web project, I suggest you post this issue to the ASP.NET forum, and there you would get dedicated support.
    The forum link:
    http://forums.asp.net/
    Best Regards,
    Jack
    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.
    Click
    HERE to participate the survey.

  • XML file not being read by Accordion Demo

    I had this working last week and it was a beautiful thing. I
    subsequently added many more product items to the products.xml file
    and resent it, now the products.xml file is not being read by the
    index page. I have read all the posts and added all the suggested
    fixes -
    added {useCache: false} to result in var dsProductFeatures =
    new Spry.Data.XMLDataSet("products.xml", "products/product[name =
    '{dsProducts::name}']/features/feature",{useCache: false})
    added <cfheader name="Cache-Control" value= "no-cache">
    <cfheader name="Expires" value="0">
    <cfheader name="Pragma" value="no-cache"> to header
    added var d = new Date();
    var cToday = d.getSeconds();
    var spryURL = "
    http://localhost:8500/SpryMe/Sample1/employees.xml?cacheBuster="
    + cToday; to header
    but my xml file is not being read. The script is running
    because the little fields on the right are moving.
    Any suggestions would be greatly appreciated!

    Hi,
    What's happening if you open the xml page (employees.xml)
    directly in browser. Are you able to see all the records? Is the
    XML valid?
    Regards,
    Dragos.
    PS: do you have a public URL where we can see that?

  • The iTunes application could not be opened. The disk could not be read from or written to

    I have my iTunes library stored on an external hard drive. The hard drive seems to work fine with no issues whatsoever. However, whenever i attempt to open iTunes I get the following message "The iTunes application could not be opened. The disk could not be read from or written to."
    Plz help...this is driving me off the wall!
    Rome.

    I fixed it. I just moved my iTunes library from the external harddrive to the Macintosh HD and its working fine again with all the data, tags and what not in tact. Apparently there were a couple corrupt files in the external harddrive iTune library.

  • Itunes application can not be open the disk can not be read from or writte

    itunes can not be opened the disk can not be read from or written to. That is the warning i get when i click my itunes to open it. Problem...
    there is no disk:) i have no idea what this warning means.. i have restarted and nothing.. i updated itunes and same warning.. there is no disk in the drive at all..
    infact i made sure i was in a room with no other disks.. Help??

    A few things to try:
    • Restore Permissions, using Disk Utility (in ~Applications/Utilities)
    • Set the correct Ownership & Permissions for the iTunes folder:
    Select the iTunes folder in ~/Users/YourUsername/Music.
    Get Info (command-I).
    Expand 'Ownership & Permissions' and 'Details:'
    You must read: 'You can Read & Write': if not, change it.
    Click on the 'Apply to enclosed items...' button.
    Hope this helps.
    M

  • I just updated my iPhone 5 from virgin mobile to ios7, and upon the normal setup i find that i my sim card is not being read; apparently now it isn't supported. please someone help me.

    I just updated my iPhone 5 from virgin mobile to ios7, and upon the normal setup i find that i my sim card is not being read; apparently now it isn't supported. please someone help me.

    my iphone is and has been locked to one carrier. all i've done is a software update to ios7, like all the other updates since i bought the phone when it was released. same carrier, same sim card. :/

  • Cases where messages are not being consumed from a queue

    MQ 4.0
    I have a cluster of 3 brokers. Java clients use RANDOMIZE to connect to the cluster of brokers. Message selectors are not used. My consumers are all synchronous, and connection.start() is called prior to calling MessageConsumer.receive().
    What I have seen on random occassions are messages not being consumed from the queue. The problem seems to be sporadic.
    I was thinking that the reason it is sporadic is because of the RANDOMIZE configuration of the client connetion / object-store.
    That is, there is a possibility for the following to happen:
    1) There were messages produced on a queue on broker A, but before these messages were consumed, all the consumers have been shutdown. Thus, the messages on queue stayed on broker A .... and have not been copied / clustered to the other brokers in the cluster ( As per online documentation, a queue is "copied" to other brokers only when there is a consumer for that queue on the other brokers ).
    2) Then the client applications started up produced and consumers again. This time, the producers were all connected to broker B, and all consumers for the queue were also connected to broker B.
    3) Because there are no other consumers for the queue on the other brokers, the messages in the queue on broker A are never consumed.
    Can someone confirm that this is a possibility ?

    Well ... it does seem to be the case.
    I changed the object-store so that instead of using RANDOMIZE for imqAddressListBehavior, it uses PRIORITY. Therefore, all clients ( producers and consumers ) will connect to only 1 broker out of the 3 in the cluster.
    After restarting all JMS clients with the new imqAddressListBehavior, there were messages in various queues in the other brokers that were not being consumed, because there are no longer any consumers on any of the other brokers.
    All the messages in that broker that all JMS clients connect to are being consumed ...
    Except for about 6 messages that stays in the queue for whatever reason. All consumers receiving with receive( 10000 ), and after consuming all messages above the 6, it returns without any more messages in the queue.
    Well ... so much for cluster of brokers. I'll have to think of an alternative.

  • Oracle 11g jars not being compatible with WAS 6.1.x versions

    Hi,
    We have an issue with Oracle 11g jars not being compatible with WAS 6.1.x versions.
    If we use Oracle10g client jars then they are working with the 11g database.
    Below are the findings
    Working fine With Ojdbc14.jar
    Not working With Ojdbc5.jar
    WAS 6.0
    Working fine With Ojdbc14.jar
    Not working With Ojdbc5.jar
    WAS 6.013
    Working fine With Ojdbc14.jar
    Not working With Ojdbc5.jar
    As per IBM website link Oracle 11g should be working with WAS 6.1.0.21 upwards
    Could somebody please help me regarding the same.
    thanks & Regards,
    Anoop

    # Download the full Firefox installer from http://www.mozilla.com/
    # Delete the Firefox [http://kb.mozillazine.org/Installation_directory installation directory], making sure all the Firefox files and folders are removed. The default location on 32 bit Windows is C:\Program Files\Mozilla Firefox\
    # Re-install Firefox
    Note that deleting the Firefox installation directory will not remove your bookmarks or other Firefox user data, they are stored elsewhere.

  • Ipod not being read and freezing

    When I plug my ipod into my computer, it goes to "do not disconnect" but not the flashing do not disconnect. Its frozen. My computer wont read it. So I unplug it and its frozen. I know how to restart it but that doesnt help me from when it freezes again once I hook it up. How do I stop it from freezing and not being read. Thanks

    i am having a similar problem with my 4g 20G
    it freezes when i try to update. i thought maybe it was the latest version of itunes i recently installed but i reverted back to an old updater version and itunes 6 and while i was able to get 300 songs on the ipod without freezing, when i tried to put the rest of my library on there it freezes. i've even tried to put as little as 15 songs on at a time and that still freezes the ipod.
    i have a mac powerbook with macos 10.2

  • I tunes: when trying to burn a playlist I keep getting the message: the attempt to burn a disc failed. The disc could not be read from or written to. I am using version 12

    I tunes: I am using version 12 of I tunes. Ever since downloading it I get the message when trying to burn a playlist it says, The attempt to burn a disc failed. The disc could not be read from or written to.
    I uninstalled V-12 and then reinstalled it. This enabled me to burn a disc again but after a couple of tries I received the same error message again. Has Apple put out a fix to this problem that anyone is aware of?
    Thanks.

    Hi rossfrombluffton,
    Welcome to the Support Communities!  The resource below provides some general things to consider when burning a disc with iTunes.  I would also try burning a music CD and a data disc from a different application in the Windows OS and trying a different brand CD just to confirm the issue is not with the optical drive.
    Can't burn a CD in iTunes for Windows - Apple Support
    http://support.apple.com/en-ae/HT203173
    Find out what to do if you can't burn an audio CD using iTunes for Windows. Sometimes an audio disc may not burn as expected. Here are some things to check.
    Update iTunes
    Download and install the latest version of iTunes for Windows.Check for unauthorized songs
    iTunes will stop burning a disc if you purchased one or more of the songs in a playlist from the iTunes Store and the songs aren't authorized to play on your computer. This message should appear: "Some of the files can not be burned to an audio CD. Do you still want to burn the remainder of this playlist? For more information on why some files can not be burned, click below."
    To find out which songs aren't authorized, play each song in the playlist. Songs that play are authorized. Songs that don't play aren't authorized. You'll be asked to authorize any unauthorized songs.Make sure your playlist will fit on a single CD
    If there are too many songs in a playlist to fit on a single CD, iTunes should ask if you want to burn multiple discs or cancel the burn. This message should appear: "The songs in this playlist will not fit on one Audio CD. Do you want to create multiple Audio CDs with this playlist split across them? This will require more than one blank CD to complete."
    If you click the Audio CDs button, the burn will continue and you'll be asked to insert blank CDs until the playlist is completely burned. If you click cancel, the burn will be canceled.
    To make the playlist shorter so that it will fit on a single CD, select a song to remove from the playlist and choose Edit > Clear. Repeat this step until the duration of the playlist is between 60 and 80 minutes. The duration appears at the top of the playlist window. Most CD-R discs can hold 60 to 80 minutes of music.
    Check how many times you've burned the playlist
    An unchanged playlist that contains songs purchased from the iTunes Store can be burned no more than seven times.Additional steps and submitting feedback
    Go to iTunes Support to get additional troubleshooting suggestions specific to your optical drive configuration or to submit feedback to Apple.Learn more
    For additional troubleshooting, please see these steps:
    Additional troubleshooting tips for burning issues
    iTunes for Windows doesn't recognize my audio CDs
    Last Modified: Feb 3, 2015
    Have a good day ...
    - Judy

  • Crystal Report that reads from an XML file Datetime or Date

    I have a Crystal Report 2008 that reads from an XML file, the source File XML Date data looks like this: 2008-03-10
    But the Crystal Report interpreted by datatime, I need the Crystal Report to look like this: 2008/03/10 (date) not 2008-03-10T00:00:00-05:00 (datatime)
    Look at an example (source file xml, report, and parameter file to execute report) at url: http://www.5websoft.com/sample.zip
    Import the file in the design and will to verify that interpret incorrectly the fields of type date as datetime
    not mapped currently for fields..
    Help.....
    Thanks!

    You could always reformat the field to only display the date portion:
    Format Field > Date and Time tab; choose the date style you need here.
    Or create a formula to extract just the date and use this field in your report:
    date({table.field})

  • The disk could not be read from or written to----help please!!

    Hey, I'm sorry if this has been posted numerous times, but I really need some help. Everytime I plug in my 30 gig 5thG ipod, I'll start to load songs on (either manually or automatically) and this message will pop up after about 50-100 songs have been loaded: "Attempting to copy to the disk, "ITIM" failed. The disk could not be read from or written to." This used to happen only once in a while, but now it's happening all the time. My ipod has no problem being recognized by itunes and the songs I have on it show up fine. It's a pain to load my library at intervals of 100 songs because I have about 6000 songs. I've also tried reseting my ipod several times, which doesn't seem to help at all. Any help would be greatly appreciated.

    That article mentions other things also, like any anti virus software you may have. You could try turning it off.
    It also mentions damaged song files.
    In truth it could be a lot of things, and it's curious that you say this used to happen once in a while.
    It could be also be a problem with the cable or even the iPod itself.
    I take it you've tried restoring the iPod?
    See: How to restore the iPod to factory settings.
    I don't know what iScrobbler is, but any software can interfere with the workings of the iPod (delicate and fussy little creatures that they are).

  • Disk could not be read from or written to? help please

    I Just got my itunes to recognize my ipod but now when I try and sync my ipod it says "Attempt to copy to the disk "blah blah" failed. the disk could not be read from or written to" does anyone know how I can fix this?

    I started experiencing the same problem 1 day after (according to Apple records) my warranty ran out. Would anyone want to post the "other solution" they have, but isn't on their website?
    I may have gotten mine working again, its currently resyncing up all my songs, so it will take a while before I know for sure, but it looks promising.
    Here's what I did...
    Uninstalled iTunes 7.0.1 (reboot)
    Backed-up iTunes 7.0.1 library (xml and itl file)
    Reinstalled iTunes 6.0.5
    * Restored iPod from 2006-06-28 updater
    Reboot
    Kill all iPod/iTunes services from Task Manager
    Make sure iPod Service is stopped from Services
    Put iPod in Disk Mode
    Start iPod Service
    Connect iPod to computer
    Delete the iTunes Libary files (xml and itl file) so that iTunes creates new ones when it is launched.
    Launch iTunes
    Add some files to your library
    If it works, try adding the rest of your files.
    * I had lots of trouble with this, but eventually got it to work. Seems like it was in disk mode and I might have also killed all the other iPod/iTunes processes from Task Manager the time it was successful in restoring.
    60GB iPod with Color Display   Windows XP Pro  

  • "Unknown Error" (-50) The disk could not be read from or written to

    My iPod Nano syncs fine, but I have never been able to change a setting without getting the above error dialogs
    ("Unknown Error (-50)" and "The disk could not be read from or written to")
    Does anyone know what's up?

    So, it's not so much that you're getting a -50 error. It's that you're having problems with the iPod because it can't be properly restored. Let's get the log from iTunes trying to restore the iPod and send it to those lazy Apple engineers.
    To get the iPod restore log:
    1. Quit iTunes.
    2. Relaunch iTunes.
    3. Try the restore. See failure (1418) then grab the newest file in the folder:
    C:\Documents and Settings\yourusername\Application Data\Apple Computer\iTunes\iPod Updater Logs
    (There's a new one created every time you run iTunes which is why I want you to quit and relaunch iTunes.)
    You need to send that file to our buddy Roy. Make sure that you include:
    (1) the drwtsn32.log file.
    (2) the link to this thread.
    (3) a one line description of your problem, i.e. "-1418 error when restoring iPod".
    (4) the username that you're using here in the discussion boards.
    (5) tell him Toonz sent ya.
    Roy is getting a little swamped with messages and needs to make sure he gets all the information. And if he doesn't get that information, the message is just going to get dropped on the floor.

  • Failing to sync movies: "The disk could not be read from or written to."

    Hello,
    I had approx 10 movie files on my ipad which synced and played fine for the first month I had my ipad. I recently tried to add 3 more movies all in the exact same format as the previous 10, however now I get a message saying that the file could not be copied as the disk could not be read from or written to. I haven't made any major changes (that I am aware of) that would have triggered this.
    I've checked that my ipad and OS software are up to date, and tried restarting both my ipad and my comuter (a Macbook).
    I figured maybe I was out of disk space, and the capacity bar in itunes was wrong, so I removed 3 of the movies and tried to add one of the new ones - same error. I then put one of the old movies back on, and it worked fine.
    So, thinking maybe the problem could be solved by restoring my ipad, I created a backup and performed a restore. My apps and photos are safely back on the ipad - but now none of the movies will sync, all of them giving me the same error saying the disk could not be read from or written to.
    Has anybody got any idea what's going on? It's extremely frustrating as the ipad is such a good tool for watching movies on the go.
    Thanks,
    Sam

    I have run into the same problems on my iPod Classic. It seems the last couple of movies I have purchased from iTunes are the source of the problem. An interesting thing I have found is that, when purchased, the files causing the issues have saved to my internal HD, instead of the external drive that I have set as my library location.
    Another interesting thing is that this is isolated to the last 2 movies I have purchased and 1 of the last 2 rentals. Not with any music I have purchased or the other rental. So there is no consistency in it being only newest files. The only consistency is that it is movies that oddly store in the wrong location.
    I have done everything from trying to move my iTunes library location, resetting the ipod, software is up to date in everything (iPod, iTunes, Mac). I have tried disconnecting the external drive, and manually managing music and videos for the iPod sync. Everything will sync with the exception of the recent movies stored in the wrong location. Also, when trying to move the files from my internal hard drive to my external where the rest of my library lives, I get the same "...read or written to" error as I get when trying to sync to my iPod. No other files seem to be having any trouble moving around from internal to external to ipod.
    Sorry I don't have a solution yet. Hopefully this helps narrow down the problem, and save some troubleshooting time.

Maybe you are looking for

  • How to view AirPort / Time Capsule logs

    I want to be able to view logs of all connections made using my AirPort or Time Capsule.  I know how to use the AirPort Utility to view a list of who is currently connected to the WIFI network, but that is a snapshot in time.  I want to be able to lo

  • Unit Cost is not Populating in Sales Order Line Level for OPM Enabled Org

    Dear All, This is to inform you that Unit Cost is not populating in Sales Order Lines. Ideally it should pick from OPM financials, but whenever i am running Cost Update it is throwing error. We need to pull out Unit Cost for Sales Analysis Report. Pl

  • Freezing! help!

    I got my eMac in Sept 05. I've been reading about other people on here having a problem with a something or other and that was causing their computer to freeze. I am sure that whatever warranty I had has run out. I have no idea what makes my computer

  • My bookmarks are gone, and the awesome bar is not working anymore.

    Yesterday morning I had a short problem with my internet connection. I used the qwest quick care to try and solve the issue, but it didn't really help. The internet connection was restored later in the day. Now, however, all my bookmarks are gone and

  • Why there is a small black blinking dot got on FLV video??

    I have 11 FLV videos in my captivate file and when i published it  there is a small black blinking dot on all my videos. Does anybody have the same problem? I checked the original videos and the dot is not there.