Textbox cannot showing the Data Binding

Dear All, I have a problem about showing data to textbox. I have a class i call it itemCategoryFormController.java here the code:
public class ItemCategoryFormController extends GenericForwardComposer {
    @Autowired
    private DatabaseManager databaseManager;
    @Autowired
    private SessionManager sessionManager;
    @Autowired
    private SecurityService securityService;
    @Autowired
    private MasterService masterService;
    private WebUtil webUtil;
    private DataBinder binder;
    private Paging itemGroupPaging;
    private Combobox filterCBox;
    private Listbox itemGroupLBox;
    private Bandbox itemGroupBd;
    private Integer totalItemGroup = 0;
    private String locationPath;
    private Map<String, Object> params;
    private ItemCategory selectedItemCategory;
    private ItemCategory selectedTemp;
    private ItemGroup selectedItemGroup;
    private List<ItemCategory> itemFilters = new ArrayList<ItemCategory>();
    private List<ItemGroup> itemGroups = new ArrayList<ItemGroup>();
    public ItemCategory getSelectedItemCategory() {
        return selectedItemCategory;
    public void setSelectedItemCategory(ItemCategory selectedItemCategory) {
        this.selectedItemCategory = selectedItemCategory;
    public ItemGroup getSelectedItemGroup() {
        return selectedItemGroup;
    public void setSelectedItemGroup(ItemGroup selectedItemGroup) {
        this.selectedItemGroup = selectedItemGroup;
    public List<ItemCategory> getItemFilters() {
        return itemFilters;
    public void setItemFilters(List<ItemCategory> itemFilters) {
        this.itemFilters = itemFilters;
    public List<ItemGroup> getItemGroups() {
        return itemGroups;
    public void setItemGroups(List<ItemGroup> itemGroups) {
        this.itemGroups = itemGroups;
    @SuppressWarnings("unchecked")
    @Override
    public void doAfterCompose(Component comp) throws Exception {
        super.doAfterCompose(comp);
        this.self.setAttribute(Constants.CTRL, this, false);
        webUtil = new WebUtil(comp);
        params = (Map<String, Object>) Executions.getCurrent().getArg();
        AppProgram program = securityService.getAppProgramByUrl(sessionManager.getUrlAddress());
        locationPath = program.getFileName();
        selectedUserLogin = sessionManager.getAppUser();
        setControlPermission(program);
        binder = new AnnotateDataBinder(comp);
    public void onCreateWin(Event event) {
        if(isMessageMode()) loadMessage();         
        selectedItemCategory = (ItemCategory) params.get(Constants.PARAM_ITEMCATEGORY);
        init();
    private void init() {
        String action = (String) params.get(WebUtil.PARAM_ACTION);
        if(action.equals(WebUtil.ACTION_NEW)) {
            if(selectedItemCategory != null){
                selectedItemCategory.setActive(true);
                selectedItemCategory.setLastUpdated(databaseManager.getDateServerNow());
                selectedItemCategory.setLastUpdater(sessionManager.getAppUser().getUserId());
                selectedTemp = selectedItemCategory;
                selectedItemCategory = new ItemCategory();
            }else{
                selectedItemCategory = new ItemCategory();
                selectedItemCategory.setActive(true);
                selectedItemCategory.setLastUpdated(databaseManager.getDateServerNow());
                selectedItemCategory.setLastUpdater(sessionManager.getAppUser().getUserId());
        } else {
            if(selectedItemCategory == null) selectedItemCategory = selectedTemp;
        loadItemGroup();
        viewMode = action.equals(WebUtil.ACTION_VIEW);
        editMode = action.equals(WebUtil.ACTION_EDIT);
        if((action.equals(WebUtil.ACTION_EDIT) || action.equals(WebUtil.ACTION_VIEW))) {
            checkPrevNext();
        binder.loadAll();
    private void loadItemGroup() {
        totalItemGroup = masterService.countItemGroup();
        itemGroupPaging.setTotalSize(totalItemGroup);
        selectedItemGroup = masterService.getitemGroupByNo(selectedItemCategory.getItemCategoryGroupNo());
        itemGroups = masterService.getitemGroups(0, itemGroupPaging.getPageSize());
        doPaging(itemGroupPaging, Constants.PARAM_ITEMGROUP);
    public void onChanging$filterCBox(InputEvent event) {
        Integer sizeOfFilter = Integer.valueOf(Labels.getLabel(Constants.I3_PAGESIZE_FILTER));
        itemFilters = masterService.getitemCategorysByFilter("%" + event.getValue() + "%", 0, sizeOfFilter);
        binder.loadComponent(filterCBox);
    public void onChanging$itemGroupFilterTb(InputEvent event) {
        itemGroups = masterService.getitemGroupsByFilter("%" + event.getValue() + "%", 0, itemGroupPaging.getPageSize());
        itemGroupPaging.setTotalSize(masterService.countItemGroupByFilter("%" + event.getValue() + "%"));
        itemGroupPaging.setActivePage(0);
        binder.loadComponent(itemGroupLBox);
    @SuppressWarnings({ "unchecked" })
    private void doPaging(final Paging paging, final String param) {
        paging.addEventListener("onPaging", new EventListener() {
            @Override
            public void onEvent(Event event) throws Exception {
                PagingEvent pEvent = (PagingEvent) event;
                int pageNo = pEvent.getActivePage();
                int first = pageNo * paging.getPageSize() + 1;
                int last = first + paging.getPageSize() - 1;
                redraw(param, first, last);
    protected void redraw(String param, int first, int last) {
        if(param.equals(Constants.PARAM_ITEMGROUP)) {
            itemGroups = masterService.getitemGroups(first, last);
            binder.loadComponent(itemGroupLBox);
    public void onClick$itemGroupClearBtn(Event event) {
        selectedItemGroup = null;
        binder.loadComponent(itemGroupBd);
        itemGroupBd.close();
    private void clearForm() {
        selectedItemCategory = null;
        selectedItemGroup = null;
I have a zul file that call form.zul Here i want show itemgroups data:
<bandbox id="itemGroupBd" width="30%" onfocus="itemGroupBd.open=true" autodrop="true" readonly="true" value="@{ctrl.selectedItemGroup, converter='com.cynergy.web.converter.NameObjectConverter' }" disabled="@{ctrl.viewMode }"> <bandpopup>
<vbox>
<hbox>
<image src="/images/icons/icon-filter-16.png"/> <label value="${c:l('label.filter.value')}"/>
<textbox id="itemGroupFilterTb"/> <space width="5px"/>
<button id="itemGroupClearBtn" label="${c:l('button.clear.value')}"/>
</hbox>
<listbox id="itemGroupLBox" model="@{ctrl.itemGroups }" width="400px" onselect="itemGroupBd.close();" rows="${c:l('label.pageSize.bandbox.value')}" selecteditem="@{ctrl.selectedItemGroup }" emptymessage="${c:l('message.list.data.empty')}">
<listhead sizable="true">
<listheader width="30%" label="${c:l('label.code.value')}"/>
<listheader label="${c:l('label.name.value')}"/></listhead>
<listitem self="@{each=itemGroup }">
<listcell label="@{itemGroup.itemGroupNo }"/>
<listcell label="@{itemGroup.itemGroupName }"/>
</listitem>
</listbox>
<paging id="itemGroupPaging" detailed="true" pagesize="${c:l('label.pageSize.bandbox.value')}" sclass="paging-border"/>
</vbox>
</bandpopup>
</bandbox>
There are no error showing, but textbox not showing the data. Textbox only showing:
com.procits.app.master.model.ItemGroup@6924b697
I'm new in java programming i hope you can help me.
Best regards,
Surbakti

cvsSpecMapping is a resource and not a property so you should set the DataContext using the StaticResource markup extension instead of Binding:
<StackPanel Orientation="Horizontal" Margin="0, 5" DataContext="{StaticResource cvsSpecMapping}">
Also, the Source property of a CollectionViewSource is supposed to be set to a collection:
private void Window_Loaded(object sender, RoutedEventArgs e)
sm = new Models.SpecimenMapping();
var cvsSpecMapNames = (CollectionViewSource)(this.FindResource("cvsSpecMapping"));
cvsSpecMapNames.Source = new List<Models.SpecimenMapping>() { sm };
You may also want to set a default value of the HL7SpecimenTypeName property to confirm that the binding actually works after you have done the above changes:
public class SpecimenMapping : INotifyPropertyChanged
private const int MAX_HL7SPECIMENTYPENAME_LEN = 250;
#region class properties
private string _hl7SpecimenTypeName = "def....";
public string HL7SpecimenTypeName
get { return _hl7SpecimenTypeName; }
set
if (value != _hl7SpecimenTypeName)
_hl7SpecimenTypeName = EnforceMaxLength(value, MAX_HL7SPECIMENTYPENAME_LEN);
NotifyPropertyChanged();
Hope that helps.
Please remember to mark helpful posts as answer to close your thread and then start a new thread if you have a new question.

Similar Messages

  • Cannot find the new binding

    Hi !!
    I am using jdeveloper 11.1.1.5!!
    I had dragged and dropped mu OpcLoseId [an LOV] from my OpportHd table in a af:form.
    I had passed this value as a parameter to my AMImpl Method. So that while my user clicks the button this method get executed.
    My Scenario:
    While my user clicks the button i am getting an error in my Log as given below
    <FacesBindingRewiringListener> <afterPhase> ADFv: cannot find the new binding with name data.com_rits_suplr_view_CrmAppIndexPageDef.pageTemplateBinding.r0.PageFragments_MKG1020PageDef_WEB_INF_TaskFlows_MKG1020TF_xml_MKG1020TF._lovTree_OphdCloseId.Could any one pls help to solve this issue?

    I just encountered this, and what I think is happening here is that the list binding is not able to resolve the user's choice to a valid value in the LOV.
    I see this when using an [af:inputListOfValues|http://http://docs.oracle.com/cd/E16764_01/apirefs.1111/e12419/tagdoc/af_inputListOfValues.html] and the user types in something that is not available through the list data source.
    I know this thread is old, but shows up in google when searched for this error message and I thought I'd update it with what I thought.
    -Jeevan

  • ITunes cannot read the data on my iPod touch

    Just three weeks or so ago, I was able to use iTunes without any problems to put a few songs on my iPod Touch 2nd Gen. Recently, however, whenever I try to connect my iPod to iTunes via USB, I get an error message that says something along the lines of: "iTunes cannot read the data on xxx's iPod Touch. Go to the Summary tab and choose Restore to restore this iPod to it's original factory settings.". I don't know why it says this since my iPod is functioning normally. My iPod shows up on the left hand side of the iTunes window as "iPod" instead of "xxx's iPod Touch" like it used to. The only options I have are Check for Update (disabled) and Restore. Is there any way to fix this without restoring my iPod? And if I have to restore, can I do so without losing (or having to re-transfer) any of my data that hasn't been or can't be backed up? Please help and thanks in advance!
    P.S. My iPod is in its genuine state: it hasn't been jailbroken or anything like that.

    Unfortunately, I've already tried that. Also, here is a list of other things I've tried, but have taken no effect:
    -Recharging, Restarting, Resetting, and Reconnecting my iPod Touch to my computer
    -Restarting my computer
    -Reinstalling iTunes
    -Reinstalling all iTunes, Apple, and iPod USB drivers
    -Updating the same drivers (but no updates were found)
    -Using a different USB port
    -Connecting to a different computer (doesn't work on my Toshiba laptop either, which is running the same OS and the same version of iTunes as my PC)
    My backup plan was to copy the new songs to my iPod by pasting them through Windows Explorer. My iPod shows up as a portable device under My Computer - as always - but the only thing I can access is a folder full of the photos on my iPod. I think this is normal, but I can't do what I want to do! Do you (or anyone else) have any other good ideas? Remember, I really don't want to do a restore unless I absolutely have to.

  • Runtime :Javascript problem when trying to display the date binded to RFC

    Hi all,
    I am facing a very strange problem. I Have used a Bapi to pass some inputs to the Bapi function and binded the UI with that. But for the date field when i am running the application and trying to specify some date it is giving some Javascript Error and not Showing the date Dialog box
    The Error is "SAPUR_January is null or not an object"
    Is anyone has any idea on it, then please let me know at the earliest.
    Mukesh

    Hi armin and Mani
    For armin: I did't understand for what you are refering to.
    For Mani: Hi mani those are the Input fields and by default they are binded to the Date field only and user has to supply the date parameter. The Small box that comes when you bind a UI field with the Date type when i am clicking on that i am reciving that error.
    Mukesh Poddar

  • The data binding isn't working, what have I done wrong?

    I'm writing a very simple WPF app, one view. I've got a few models defined for the small handful of tables this app works with. I'm making some sort of boneheaded mistake, but I can't see what it is. I'm trying to bind to a property of one of the model
    classes I've define, to a textbox in a stackpanel. Here's the XAML:
    <StackPanel Orientation="Horizontal" Margin="0, 5" DataContext="{Binding cvsSpecMapping}">
    <TextBlock Margin="10,0,5,0">Specimen Mapping: </TextBlock>
    <TextBox x:Name="txtHl7SpecMap"
    Text="{Binding HL7SpecimenTypeName}"
    ToolTip="{Binding HL7SpecimenTypeName}"
    MinWidth="50"
    MaxWidth="100"
    MaxLength="250" />
    </StackPanel>
    Earlier in the same XAML file I've got the following collection view source defined in the windows' resources:
    <CollectionViewSource x:Key="cvsSpecMapping" />
    This isn't rocket science. Here's the model class definition. I'm removing all but the relevant property:
    using System;
    using System.ComponentModel;
    using System.Runtime.CompilerServices;
    namespace SpecMapException.Models
    * This class I am interested in knowing what properties change.
    * Also note that the properties in this class do NOT represent all of the properties
    * in the Prism.SpecimenMapping table. It only represents what this application has
    * to store.
    public class SpecimenMapping : INotifyPropertyChanged
    private const int MAX_HL7SPECIMENTYPENAME_LEN = 250;
    #region class properties
    private string _hl7SpecimenTypeName = "";
    public string HL7SpecimenTypeName
    get { return _hl7SpecimenTypeName; }
    set
    if (value != _hl7SpecimenTypeName)
    _hl7SpecimenTypeName = EnforceMaxLength(value, MAX_HL7SPECIMENTYPENAME_LEN);
    NotifyPropertyChanged();
    #endregion //class properties
    #region local routines
    private string EnforceMaxLength(string PassedValue, int MaxLength)
    if (PassedValue.Length <= MaxLength)
    return PassedValue;
    return PassedValue.Substring(0, MaxLength);
    #endregion
    #region PropertyChanged code
    * The usual property changed code.
    public event PropertyChangedEventHandler PropertyChanged;
    private void NotifyPropertyChanged([CallerMemberName] String propertyName = "")
    if (PropertyChanged != null)
    PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
    #endregion
    And lastly here's the relevant code which I've put into the windows Loaded event:
    Models.SpecimenMapping sm = null;
    private void Window_Loaded(object sender, RoutedEventArgs e)
    var cvsSpecMapNames = (CollectionViewSource)(this.FindResource("cvsSpecMapping"));
    cvsSpecMapNames.Source = sm;
    So what is the mistake that I've made? Why isn't the data binding to the textbox txtHl7SpecMap working?
    (I'm using VS 2013, .NET 4.5.)
    Rod

    cvsSpecMapping is a resource and not a property so you should set the DataContext using the StaticResource markup extension instead of Binding:
    <StackPanel Orientation="Horizontal" Margin="0, 5" DataContext="{StaticResource cvsSpecMapping}">
    Also, the Source property of a CollectionViewSource is supposed to be set to a collection:
    private void Window_Loaded(object sender, RoutedEventArgs e)
    sm = new Models.SpecimenMapping();
    var cvsSpecMapNames = (CollectionViewSource)(this.FindResource("cvsSpecMapping"));
    cvsSpecMapNames.Source = new List<Models.SpecimenMapping>() { sm };
    You may also want to set a default value of the HL7SpecimenTypeName property to confirm that the binding actually works after you have done the above changes:
    public class SpecimenMapping : INotifyPropertyChanged
    private const int MAX_HL7SPECIMENTYPENAME_LEN = 250;
    #region class properties
    private string _hl7SpecimenTypeName = "def....";
    public string HL7SpecimenTypeName
    get { return _hl7SpecimenTypeName; }
    set
    if (value != _hl7SpecimenTypeName)
    _hl7SpecimenTypeName = EnforceMaxLength(value, MAX_HL7SPECIMENTYPENAME_LEN);
    NotifyPropertyChanged();
    Hope that helps.
    Please remember to mark helpful posts as answer to close your thread and then start a new thread if you have a new question.

  • Microsoft Access Text Driver missing! and ...Cannot initialize the data source object of OLE DB provider "MSDASQL" for linked server "(null)".

    In order to use OpenRowSet, I installded Microsoft Access Database Engine 2010. However, I could not find Microsoft Access Text Driver in Drivers of ODBC Data Source Administrator.  Could I get some help with that?
    Thank you very much!

    I am local admin and try to run the following script, but I got an error. Could anyone help me look at it?
    EXEC sp_configure 'show advanced options', 1
    go
    RECONFIGURE
    GO
    EXEC sp_configure 'ad hoc distributed queries', 1
    go
    RECONFIGURE
    GO
    SELECT * FROM OPENROWSET('MSDASQL',
    'Driver={Microsoft Access Text Driver (*.txt, *.csv)};
    DefaultDir=D:\;','SELECT * FROM Test.csv')
    Configuration option 'show advanced options' changed from 1 to 1. Run the RECONFIGURE statement to install.
    Configuration option 'Ad Hoc Distributed Queries' changed from 1 to 1. Run the RECONFIGURE statement to install.
    OLE DB provider "MSDASQL" for linked server "(null)" returned message "[Microsoft][ODBC Driver Manager] Data source name not found and no default driver specified".
    Msg 7303, Level 16, State 1, Line 1
    Cannot initialize the data source object of OLE DB provider "MSDASQL" for linked server "(null)".

  • Why users with rights defined as View cannots see the data of the form ?

    Hi,
    I have a nice form page. My application has an authorization scheme with an authentification function : return acl_custom_auth. It is working well. I have defined users with Edit, View and Admin rights. Unfortunately on a form, if the user is defined as "View" he cannot see the data, he only sees the item but their content is not diplayed. I don't understand why. I would like him to see the data.
    The authorization scheme of the page is "Access control -view" as well as the items of the page.
    Do you have any idea of what is going wrong here ?
    Thank you for your kind help !
    Regards,
    Christian

    Another thing that can be done though mon tech-savy people may not know about it.
    Locate a group of PDF's and select at least 5-6 of them as a Group.
    hold down Option key while click on file menu
    Click on Get info.
    One window will open for the group.  in Mountain Lion (OSX.8.2) the term will change to Show Inspector.
    click on the  button next to Open With.
    choose either Reader or Acrobat.
    just bellow is a question Use Acrobat (or Reader) to open all files of this type, Click on it and choose yes.
    Make sure you have a mix of Adobe PDF's and Preview PDF/s for  this to work. If it wasn't good for opening other Type Files I'd compress Preview and throw the original away. It’s a nusiance.

  • Cannot Interpret the data in the file

    Hi,
    I need to upload rate routing and I have created a BDC program using a sample recording.
    While I am uploading the data from the flat file, I am getting an error message " Cannot Interpret the data in the file ".
    Please help me where I might have gone wrong. I have checked with template in the flat file and it is correct.
    Please do the needful.
    Thanks,
    Ranjan R Jinka
    Edited by: Ranjan Jinka on Apr 29, 2011 8:55 AM

    Hai Ranjan,
    Please, Check this
    " Can not interpret the data in file " error while uploading the data in DB
    - Check the heading of the excel column and filed used in program.
    If possible, please paste the program so the viewers have a better idea and you will get the exact solution.
    Regards,
    Mani

  • Not showing the Data in VC application

    Hi I have developed the application in VC.
    It is showing the data some times , it is not showing the data. Can u please let me know what is the problem.
    when i checked using the Test Data service . It is showing the data. Then i have developed step by step, in between the time i use to run the application , it was showing the data. finally i have assigned to some role and user id. then also it is showing the data.
    Next day after i run the application , it is not  showing the data. displaying the message .
    "No Data Found".
    But when i run  the BAPI at the back end R/3 it is giving the data properly.
    Can u tell me what might be the problem
    REgards
    Vijay

    Hi Krishna,
    check the logs in the NWA. It seems that your connection is broken down sometimes, maybe a timeout. How many records does your data service return?
    Check it with external debugging of the BAPI, when you can reconstruct the error.
    Best Regards,
    Marcel

  • How to set the filter on a report to show the data for the Current Month

    Hi all,
    I am working on a report, which currently has this filter: Date First Worked is greater than or equal to 10/01/2010. This reports show the data for the current month, so at the beginning of each month we have to remember to change the date on the filter.
    Does anyone know what the criteria should say, so that it automatically changes and shows the information for the current month, without us having to go in and change anything?
    Any help would be greatly appreciated!
    Thanks,
    AA

    You need to add a session variable to date fir worked assuming that this is a date field.
    To do this open up the filter on the field then at then press add Variable then "session" and enter the following CURRENT_MONTH into the Server Variable section.

  • Import option is not showing the Data Source created using ODBC

    Hi all,
    I'm new to OBIEE, just installed OBIEE 10g in my system with the help of some reply from this Forum (thanks to Kalyan for this).
    Now when I tried to create new rpd, the Import option is not showing the Data source I have created. I have created new Datasource in the SystemDSN tab of the ODBC Administrator window,I have tried this by creating the Datasource in the UserDNS tab as well.
    Mine is Windows 7 Ultimate. The new data source which I have created through the ODBC Administrator window is to connect to SQL 2008 (I'm trying to get some table from SQL 2008 database), I don't have Oracle data base.
    While creating the Data source ODBC Administrator is showing only two drives (SQL Server and SQL Server Native Client 10.0 ) , so I have created the Data source using the SQL Server Native Client 10.0 drive.
    Can some one help me to understand the issue and to solve it.
    Thanks,
    Mithun

    By calling your cellular data provider.

  • How can I set the data binding between Web Dynpro & Database table

    Dear friend,
    I am a beginner of Web Dynpro. I want to develop my simple project like these:
    1. Create my own database table via Dictionary Project such as TAB_USER and have 3 fields: USER_ID, USER_NAME, USER_POSITION and I have already deployed & archived it.
    2. Create my own Web Dynpro Project, and create the input fields as User ID, User name, User position and icon 'Save' on the selection screen and I have deployed it already.
    For the process, I want to input data at the screen and save the data in the table, please give me the guide line like these:
    1. How can I set the data binding between Web Dynpro and Database table ?
    2.  Are there any nescessary steps that I will concern for this case?
    Sorry if my question is simple, I had try  to find solution myself, but it not found
    Thanks in advances,
    SeMs

    Hi,
    You can write your own connection class for establishing the connection with DB.
    Ex:
    public class  ConnectionClass {
    static Connection con = null;
    public static Connection getConnection() {
    try{
    Context ctx = new InitialContext();
    DataSource ds = (DataSource) ctx.lookup("jdbc/TSPAGE");
    con = ds.getConnection();
    return con;
    }catch(Exception e){
    return null;
    You can place the above class file in src folder and you can use this class in webdynpro.
    You can have another UserInfo class for reading and writing the data into the DB .
    Regards, Anilkumar
    PS : Refer
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sap.km.cm.docs/library/webas/java/simple java bean generator for database.pdf
    Message was edited by: Anilkumar Vippagunta

  • Error :cannot show the value of the filter.The Field may not be filterable or the number of items returned exceeds the list view threshold enforced by administrator

    Issue : In sharepoint 2013, I am experiening below error while using filter in the list view due to the number of items in this list exceeds the list view threshold, which is 10000 items. Tasks that cause excessive server load (such as those
    involving all list items) are currently prohibited.
    Error :cannot show the value of the filter.The Field may not be filterable or the number of items returned exceeds the list view threshold enforced by administrator
    Could you please suggest a way to avoid this issue apart from incrementing the list view threshold limit .
    Prashanth

    Reorganizing content, or creating more specific views. sharepoint is warning you that the content is structured in such a way that it can cause performance issues, which should be addressed in some way.
    Kind regards,
    Margriet Bruggeman
    Lois & Clark IT Services
    web site: http://www.loisandclark.eu
    blog: http://www.sharepointdragons.com

  • My MacBook Pro is not recognizing my external hard drive.  The hard drive is listed in disk utilities but an icon does not pop up and I cannot access the data.  Is there any way to resolve this?

    My MacBook Pro is not recognizing my external hard drive.  The hard drive is listed in disk utilities but an icon does not pop up and I cannot access the data.  Is there any way to resolve this?

    WE know Disk Warrior is more reliable, hence more useful, and should be in any disk mechanics toolchest.
    For the record, I don't know anything of the kind. I have yet to see evidence that Disk Warrior is useful at all.
    What I do know is that you seem to take every opportunity you get to promote it in these forums. Do you work for Alsoft?
    Let me be a little more explicit. My opinion is that Disk Warrior is a waste of money if one has backups. If a journaled HFS directory is so badly corrupted that it can't be repaired by Disk Utility, then the volume should be reformatted and restored from backup, which has the same effect as running DW, but is probably faster and doesn't cost $99.

  • Imported ical from outlook and the date across the top of the weekly view all show the date i imported..

    imported ical from outlook and the date across the top of the weekly view all show the date i imported..

    I'm confused, what does iCal have to do with this, it seems as though you went from Outlook to Entourage, is that correct?

Maybe you are looking for

  • Line-item no.  not sequential  in billing

    Hi All , While doing POS upload for sales collection , message type ‘WPUUMS’ from a site for retail , two documents are created Article and billing . Both of these are having multiple articles which are positioned by line item no POSNR & VGPOS (like

  • Remember to open the specific folder when you go file-open in dreamweaver.

    Hi, everytime I go to 'file - open', the default folder under 'look in' is 'my documents'. Once I opened a local folder in dreamweaver, I need dreamweaver to remember that folder for all the time. I know I can modify required folder as a default fold

  • My internal speakers sound like chipmunks talking on them when i play anything on the computer

    my internal speakers sound like chipmunks talking on them when i play anything on the computer. what can i do to correct this problem?

  • Group_concat on multiple tables

    Hello, I have been spinning my wheels for countless hours trying to figure this one out. Hope someone can lend a hand! ;-) I have 4 tables: 1) Field_Tickets - Field_Tickets.field_tickets_id is the main field I wish to group on. 2) Field_Tickets_Has_E

  • Script error "object required" when log off

    I have created a new user and assigned the "Everyone" role to it. I log in to the portal using this new user. Then I press logoff. Then I press OK. Now I get the script error below: line:91 char:8 Error: Object required code:0 URL: http://..... any i