Semantic Zoom - Show letters containing no items

How can I show letters of the alphabet, which contain no items beginning with that letter (in gray) within the ZoomedOutView view of my semantic zoom control?
I want to achieve something like this (excluding 'Social', 'Favorites' and '#'): 
but I end up with this:
MetropolitanDataSource.cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace EELL
using System;
using Windows.UI.Xaml.Data;
using Windows.UI.Xaml.Media;
// To significantly reduce the sample data footprint in your production application, you can set
// the DISABLE_SAMPLE_DATA conditional compilation constant and disable sample data at runtime.
#if DISABLE_SAMPLE_DATA
internal class SampleDataSource { }
#else
public class Item : System.ComponentModel.INotifyPropertyChanged
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected virtual void OnPropertyChanged(string propertyName)
if (this.PropertyChanged != null)
this.PropertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
private string _Station = string.Empty;
public string Station
get
return this._Station;
set
if (this._Station != value)
this._Station = value;
this.OnPropertyChanged("Station");
private string _Zone = string.Empty;
public string Zone
get
return this._Zone;
set
if (this._Zone != value)
this._Zone = value;
this.OnPropertyChanged("Zone");
private string _Link = string.Empty;
public string Link
get
return this._Link;
set
if (this._Link != value)
this._Link = value;
this.OnPropertyChanged("Link");
public class GroupInfoList<T> : List<object>
public object Key { get; set; }
public new IEnumerator<object> GetEnumerator()
return (System.Collections.Generic.IEnumerator<object>)base.GetEnumerator();
public class StoreData
public StoreData()
Item item;
item = new Item();
item.Station = "Aldgate";
item.Link = "/Lines and Stations/Metropolitan/Aldgate_(Metropolitan).xaml";
Collection.Add(item);
item = new Item();
item.Station = "Moorgate";
item.Link = "/Lines and Stations/Metropolitan/MOG_(Metropolitan).xaml";
Collection.Add(item);
private ItemCollection _Collection = new ItemCollection();
public ItemCollection Collection
get
return this._Collection;
internal List<GroupInfoList<object>> GetGroupsByCategory()
List<GroupInfoList<object>> groups = new List<GroupInfoList<object>>();
var query = from item in Collection
orderby ((Item)item).Zone
group item by ((Item)item).Zone into g
select new { GroupName = g.Key, Items = g };
foreach (var g in query)
GroupInfoList<object> info = new GroupInfoList<object>();
info.Key = g.GroupName;
foreach (var item in g.Items)
info.Add(item);
groups.Add(info);
return groups;
internal List<GroupInfoList<object>> GetGroupsByLetter()
List<GroupInfoList<object>> groups = new List<GroupInfoList<object>>();
var query = from item in Collection
orderby ((Item)item).Station
group item by ((Item)item).Station[0] into g
select new { GroupName = g.Key, Items = g };
foreach (var g in query)
GroupInfoList<object> info = new GroupInfoList<object>();
info.Key = g.GroupName;
foreach (var item in g.Items)
info.Add(item);
groups.Add(info);
return groups;
// Workaround: data binding works best with an enumeration of objects that does not implement IList
public class ItemCollection : IEnumerable<Object>
private System.Collections.ObjectModel.ObservableCollection<Item> itemCollection = new System.Collections.ObjectModel.ObservableCollection<Item>();
public IEnumerator<Object> GetEnumerator()
return itemCollection.GetEnumerator();
System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
return GetEnumerator();
public void Add(Item item)
itemCollection.Add(item);
#endif
Metropolitan_line.xaml.cs
using Exits_Expert_London_Lite.Common;
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Runtime.InteropServices.WindowsRuntime;
using Windows.Foundation;
using Windows.Foundation.Collections;
using Windows.UI.Xaml;
using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Controls.Primitives;
using Windows.UI.Xaml.Data;
using Windows.UI.Xaml.Input;
using Windows.UI.Xaml.Media;
using Windows.UI.Xaml.Navigation;
// The Basic Page item template is documented at http://go.microsoft.com/fwlink/?LinkId=234237
namespace Exits_Expert_London_Lite.Lines_and_Stations.Metropolitan
/// <summary>
/// An empty page that can be used on its own or navigated to within a Frame.
/// </summary>
public sealed partial class Metropolitan_line : Page
public Metropolitan_line()
this.InitializeComponent();
StoreData _storeData = null;
// creates a new instance of the sample data
_storeData = new StoreData();
// sets the list of categories to the groups from the sample data
List<GroupInfoList<object>> dataLetter = _storeData.GetGroupsByLetter();
// sets the CollectionViewSource in the XAML page resources to the data groups
cvs2.Source = dataLetter;
// sets the items source for the zoomed out view to the group data as well
(semanticZoom.ZoomedOutView as ListViewBase).ItemsSource = cvs2.View.CollectionGroups;
#region Data Visualization
/// <summary>
/// We will visualize the data item in asynchronously in multiple phases for improved panning user experience
/// of large lists. In this sample scneario, we will visualize different parts of the data item
/// in the following order:
/// 1) Placeholders (visualized synchronously - Phase 0)
/// 2) Tilte (visualized asynchronously - Phase 1)
/// 3) Image (visualized asynchronously - Phase 2)
/// </summary>
/// <param name="sender"></param>
/// <param name="args"></param>
void ItemsGridView_ContainerContentChanging(ListViewBase sender, ContainerContentChangingEventArgs args)
ItemViewer iv = args.ItemContainer.ContentTemplateRoot as ItemViewer;
if (args.InRecycleQueue == true)
iv.ClearData();
else if (args.Phase == 0)
iv.ShowPlaceholder(args.Item as Item);
// Register for async callback to visualize Title asynchronously
args.RegisterUpdateCallback(ContainerContentChangingDelegate);
else if (args.Phase == 1)
iv.ShowStation();
args.RegisterUpdateCallback(ContainerContentChangingDelegate);
else if (args.Phase == 2)
iv.ShowZone();
// For imporved performance, set Handled to true since app is visualizing the data item
args.Handled = true;
/// <summary>
/// Managing delegate creation to ensure we instantiate a single instance for
/// optimal performance.
/// </summary>
private TypedEventHandler<ListViewBase, ContainerContentChangingEventArgs> ContainerContentChangingDelegate
get
if (_delegate == null)
_delegate = new TypedEventHandler<ListViewBase, ContainerContentChangingEventArgs>(ItemsGridView_ContainerContentChanging);
return _delegate;
private TypedEventHandler<ListViewBase, ContainerContentChangingEventArgs> _delegate;
#endregion //Data Visualization

Yes, it only shows the letters that contain children items.
Please have a look at my code snippet below and tell me what needs to change:
internal List<GroupInfoList<object>> GetGroupsByLetter()
var letters = "ABCDEFGHIJKLMNOPQRSTUVWXYZ".ToList();
var groupByAlphabets = from letter in letters
select new
Key = letter,
Items = (from item in Collection
where ((Item)item).Station.StartsWith(letter.ToString(), StringComparison.CurrentCultureIgnoreCase)
orderby ((Item)item).Station
group item by ((Item)item).Station[0] into g
select g)
List<GroupInfoList<object>> groups = new List<GroupInfoList<object>>();
foreach (var g in groupByAlphabets)
GroupInfoList<object> info = new GroupInfoList<object>();
info.Key = g.Key;
foreach (var item in g.Items)
info.Add(item);
groups.Add(info);
return groups;

Similar Messages

  • Closing sales order containing cancelled item

    Hello,
    This is the scenario.  You create a sales order containing 3 items and add the order.  One of the items then gets cancelled (in item master data).  You then try and close or cancel the order.  A red line error message is displayed saying 'Item cancelled' with the item code after it.  Is there a way of closing a sales order which contains a cancelled item? I have tried removing the item from the order but am unable to update it afterwards - it shows the same error.
    Many thanks,
    Kate

    Hello Kate,
    A precaution is always needed when you cancel any items.  You need run a simple query such as:
    SELECT * FROM RDR1 T0 WHERE T0.ItemCode = '[%0\]' to check any Sales Orders contain this code.
    Thanks,
    Gordon

  • Handling unit 1000001227 contains an item that cannot be assigned

    THE HANDLING UNITS ARE CREATED WITH THE BATCH MANAGED MATERIAL HU02.
    AT THE TIME OF CREATING DELIVERY,WHEN I GO TO SELECT THE HANDLING UNITS IN EDIT>PACK THE SYSTEM GIVES ME FOLLOWING WARNING,
    Items subject to batch handling w/o batch assignment could not be packed
    AND AFTER ENTERING THE SYSTEM TAKES ME TO THAT PACKING SCREEN AND WHEN I SELECT MY HANDLING UNIT THE SYSTEM GIVES ME THE FOLLOWING MESSAGE AND DOESN'T SELECT THE HANDLING UNIT,
    Handling unit 1000001227 contains an item that cannot be assigned
    ALTHOUGH THE SYSTEM SELECT THE HANDLING ONLY WHEN I MENTION THE ALL BATCHES,QUANTITY AND WAREHOUSE OF THE ITEM IN BATCH SPLIT.
    ANY ANYONE TELL ME THAT HOW CAN I SELECT THE HANDLING UNITS WITH OUT MENTIONING ITS BATCHES IN THE BATCH SPLIT.
    REGARDS:VIJAY KUMAR

    Hi Vijay,
    Based on the below error Items subject to batch handling w/o batch assignment could not be packed.
    I think while creating the delivery check whether the system allocated the correct batch or not. If not created the batch then click on Batch split and Batch determination.
    Then from the menu Batch determination -> W/o classification. Then system will show the all batches. Then select the coorect batch and copy the Qty.
    Then try to do packing edit - > pack.
    I think it will work fine.
    Regards,
    SK

  • SharePoint 2010 - Content database contains orphaned items

    Good day people!
    We have come across the feared "Content databases contain orphaned items"!
    Running a check on our farm shows:
    PS C:\Users\SPAdmin> Get-SPContentDatabase | ForEach-Object { $_.repair($false)}
    <OrphanedObjects Count="0" />
    <OrphanedObjects Count="0" />
    <OrphanedObjects Count="7">
    <Orphan Type="RoleAssignments" Count="7" />
    </OrphanedObjects>
    <OrphanedObjects Count="385">
    <Orphan Type="RoleAssignments" Count="385" />
    </OrphanedObjects>
    PS C:\Users\SPAdmin>
    Microsoft is very specific about how to solve this type of error on their http://go.microsoft.com/fwlink/?LinkID=142694.
    That is very nice and good,  but, doing this on a large production database doesnt feel all that good when we do not really know whats going to happen with the autofix button.
    Would/could anyone explain what the "Fix Now" button does? Any risks involved? Are there other ways to fix this problem? We already emptied all recycle bins completely.
    best regards
    Bjorn

    Hi Bjorn,
    Thanks for posting your issue, Kindly follow below mentioned Steps to fix reported issue
    Verify that the user account that is performing this procedure is a member of the Farm Administrators group.
    On the Central Administration Home page, click Monitoring.
    On the Monitoring page, in the Health Analyzer section, click
    Review problems and solutions.
    On the Review problems and solutions page, click the alert for the failing rule, and then click
    Fix Now. Keep the dialog box open so you can run the rule again to confirm the resolution.
    After following the steps in the Remedy section, in the
    Review problems and solutions dialog box for the alert, click Reanalyze Now to confirm the resolution. If the problem is resolved, the rule is not flagged as a failing rule on the Review problems and solutions page.
    I hope this is helpful to you, mark it as Helpful.
    If this works, Please mark it as Answered.
    Regards,
    Dharmendra Singh (MCPD-EA | MCTS)
    Blog : http://sharepoint-community.net/profile/DharmendraSingh

  • Error :sap error:vf-171Does't contain any items with open quantities

    Dear sap Experts,
    An Error coming while doing billing against to delivery as *"Does't contain any items with open quantities"  sap error:VF-171
    i have checked status overview of order and its not blocked. give me hits regarding this issue.
    My advance thanks to all.
    Narendra

    Dear Narendra,
    Need to check the VL02n for given shipping point , also if the said material shows is not available then you can even check MMBE, this report shows on order stock so you can remove this on order stock.
    On order stock can be removed by using vl02n, put F4 in the outbound delivery field enter it. All open delivery list (not picked or not posted for goods issue will come) 
    Regards
    Sandeep D.

  • Container web item

    Hi,
    Wanted to understand what does a container web item gain us , i am able to have views , charts etc using tab page item and trying to understand what a container gets us.
    Also i didnt get too much clarity on the container layout item . I got to the point of moving things around but couldnt get the rowspan to work . Any help is much appreciated.
    thanks
    amit

    Hi,
    A container layout item is used to arrange a number of items in a web template while running, so that rearranging them is also easy and you dont have to do any physical rearrangement in the WT which can be painful.
    You can select one of the layout types for the container layout item like grid, row cells floating etc. Then you can define the number of items in each row columnwise or vice versa. That is how they will appear when you run the WT and not how they show in the design view of the template.
    Hope this helps.

  • HT204268; I have purchases on an aol login pre 2008 and all recent stuff under an apple id. I currently see and use everything when i login with the apple id. After March 31st will my apple id account still show and contain all?

    HT204268; I have purchases on an aol login pre 2008 and all recent stuff under an apple id. I currently see and use everything when i login with the apple id. After March 31st will my apple id account still show and contain all?
    I understand the instructions to create a new account id (apple id) from the old aol account. However, does this mean my purchases will be split into 2 accounts; or does the fact that I currently see everything under my apple id (regardless of the purchased by username) mean this will all still appear in my current account as it does now?

    You see them where when you login your non-AOL account ?
    If you currently have two accounts (the AOL username account and an email address account) then you will continue to have two accounts, and nothing should change when you update the AOL account to be an email address (apart from how you access that account).
    You will just be renaming the account to have an email address for accessing it, not creating a new account.

  • Can SharePoint calendar show more than 3 items on a Day's schedule in Month view? How?

    Hi there,
    Can SharePoint calendar show more than 3 items on a Day's schedule in Month view? How?
    Thank you so much.

    Hi,
    From your description, my understanding is that you want to expand all items if a Day’s schedule has more than 3 items.
    You could accomplish your requirement with jQuery to auto expand all items when you load month view, please refer to this article:
    Auto Expand Month View on SharePoint 2013 Calendar
    http://blog.eastridge.net/auto-expand-month-view-on-sharepoint-2013-calendar
    If I misunderstand your requirement, please provide more detailed information.
    Best Regards,
    Vincent Han
    TechNet Community Support
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    [email protected]

  • Show recently added blog items in a webpart with 1 blog item showing all the time.

    I need to pull 3 blog items from blog site and display it in the another SharePoint 2013 site collection home page so I have added content search webpart and in Select a query i choosed recently changed items(system) and in restrict by app i had choosen
    specify a url and pointed the url to the blog post list which it should pull.
    so now it is pulling all the recently changed list items in the list. which is good. but i want to show up 1 blog item on the webpart which should not change and rest(other 2) of the blog items should change. 
    how can i do this. any ideas please.
    Thanks
    M.M

    So essentially you want a "featured" blog post to always be displayed first, followed by recent blog posts underneath?  
    Yeah you would need to add a new column to your blog, perhaps the easiest way to do this is add the Status column "Add from existing site columns" to your Posts list.  Then you can follow the instructions on this blog post:
    http://yalla.itgroove.net/2013/02/roll-up-sharepoint-2013-tasks-with-content-search-web-part/
    To add the Status field as a crawled property (step 13 from article above).  Then you can sort by Status (I would change the status options to "Featured Post" and "Non-Featured Post") Descending, and then Sort by LastModifiedTime Descending.  That
    will first display all Featured Posts, then display the blog posts by last modified time underneath.  
    Thanks.  
    Nick Hurst

  • How to customize a List object to contain line items other than String

    I'd like to create a List that contains line items with the following form:
    check box followed by a string followed by a button.
    I'd like the list to be backed by an object array that has a similar form:
    boolean, String, boolean
    which define if the item is checked, it's title, and whether or not to display the button.
    So I'd like to have code something like this:
    // ten items in this lists
    MyList myList = new MyList(10);
    // first item
    MyObject myObject = new MyObject(false, "Item 1", true);
    myList.add(myObject);
    // add the rest of the items...I can't use Swing, I only have AWT available in a J2ME environment.
    Where do I start?
    Can I do this with List?
    I've looked at GridBagLayout but I'm unfamiliar with it. Would a GridBagLayout work?
    Do I need to create a custom control from scratch (based on Panel or ScrollPane, for example) to accomplish this?
    Thanks,
    Nick.

    List only takes Strings. Here's an possibility with GridBagLayout:
    import java.awt.*;
    import java.awt.event.*;
    public class ListTest implements ActionListener
        Object[][] data =
            { Boolean.TRUE,  "John Ericsen",   Boolean.TRUE  },
            { Boolean.FALSE, "Heidi Pall",     Boolean.TRUE  },
            { Boolean.FALSE, "Gregg Fletcher", Boolean.FALSE },
            { Boolean.TRUE,  "Pieter Gaynor",  Boolean.TRUE  },
            { Boolean.TRUE,  "Janice Clarke",  Boolean.TRUE  },
            { Boolean.TRUE,  "May McClatchie", Boolean.FALSE },
            { Boolean.TRUE,  "Bill Horton",    Boolean.TRUE  },
            { Boolean.FALSE, "Helmet Krupp",   Boolean.TRUE  },
            { Boolean.FALSE, "Ian George",     Boolean.TRUE  },
            { Boolean.TRUE,  "Jill Smythe",    Boolean.FALSE }
        public void actionPerformed(ActionEvent e)
            Button button = (Button)e.getSource();
            String ac = button.getActionCommand();
            System.out.println("ac = " + ac);
        private Panel getPanel()
            Panel panel = new Panel(new GridBagLayout());
            GridBagConstraints gbc = new GridBagConstraints();
            gbc.insets = new Insets(2,2,2,2);
            //gbc.weightx = 1.0;         // horizontal dispersion
            //gbc.weighty = 1.0;         // vertical dispersion
            for(int j = 0; j < data.length; j++)
                Checkbox cb = new Checkbox("", ((Boolean)data[j][0]).booleanValue());
                gbc.gridwidth = 1;
                panel.add(cb, gbc);
                gbc.gridwidth = GridBagConstraints.RELATIVE;
                gbc.anchor = GridBagConstraints.WEST;
                panel.add(new Label((String)data[j][1]), gbc);
                gbc.anchor = GridBagConstraints.CENTER;
                gbc.gridwidth = GridBagConstraints.REMAINDER;
                if(((Boolean)data[j][2]).booleanValue())
                    Button b = new Button("call");
                    b.setActionCommand((String)data[j][1]);
                    b.addActionListener(this);
                    panel.add(b, gbc);
                else
                    panel.add(new Label("  "), gbc);
            return panel;
        private Panel getList()
            Panel child = getPanel();
            ScrollPane scrollPane = new ScrollPane()
                public Dimension getPreferredSize()
                    return new Dimension(200, 125);
            scrollPane.add(child);
            Panel panel = new Panel(new GridBagLayout());
            panel.add(scrollPane, new GridBagConstraints());
            return panel;
        private static WindowListener closer = new WindowAdapter()
            public void windowClosing(WindowEvent e)
                System.exit(0);
        public static void main(String[] args)
            Frame f = new Frame();
            f.addWindowListener(closer);
            f.add(new ListTest().getList());
            f.setSize(400,400);
            f.setLocation(200,200);
            f.setVisible(true);
    }

  • All "Site Content and Structure" default views incorrectly showing "There are no items to show in this view"

    Hi All,
    On my SharePoint Online site (Office 365) all my “Site Content and Structure” default views are showing “There are no items to show in this view”. For example the “Checked out To Me” view shows “There are no items to show in this view” (shown in screenshot
    below). I know this is incorrect and should show at least ten items that have been checked out to me for over two months. I am also a member of the Site Collection Administration and Owner groups.
    What I am trying to do is view all the "Checked Out items" within a Site Collection including it's sub-sites.
    Is there a feature that needs to be activated to get the correct information from the “Site Content and Structure” default views?
    I hope you can help
    Colin

    Hi Colin,
    As I understand, all “Site Content and Structure” default views are showing “There are no items to show in this view” in your SharePoint online site.
    Check things below:
    1. Go to site content and structure logs in site setting to check if there is correct information.
    2. Create a new site collection to check if there are items in Site Content and Structure.
    3. Switch another computer to check if it can work.
    If the issue still exists, I recommend you to post it in the O365 forum.
    http://community.office365.com/en-us/f/default.aspx
    The reason why we recommend posting appropriately is you will get the most qualified pool of respondents, and other partners who the forums regularly can either share their knowledge or learn from your interaction with us. Thank you for your understanding.
    Best regards,
    Sara Fan
    TechNet Community Support
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    [email protected]

  • 'Document does not contain any items' error while posting GR from BAPI

    Hello Friends,
    I am trying to post GR from BAPI 'BAPI_GOODSMVT_CREATE' but some time it post successful and some time it does not post..gives error 'Document does not contain any items'....i have search all option but did not get any solution why this error is coming....kindly help me if you have any information regarding that.
    The strange thing is i have alrady posted GR with some test data and later on again am trying to post GR with same test data but it is giving error as above.
    For your information...i am using enhancement spot in standard program for GR posting...could it give any problem.
    Regards,
    Rajkishor.

    Solved by my self...problem was i were using enhancement spot in standard program because of this it was creating problem have search new enhancement spot and put my code out there now it is working fine.
    Thanku very much all of you for your reply.

  • Error message:Material document contains no items (order: 40000004 item: 00

    Good Day SAP expert,
    I have facing an error message on Material document contains no items (order: 40000004 item: 000010) & Message no. /DBM/COMMON286.
    This error happen when I want to create Good Issue with action QGIS (Create Goods Issue (DBM)).
    Steps that I create vehicle order:
    1.     Go to /dbm/order01 and select 3010 u2013 Vehicle Order based on Model
    2.     Then I create for a new customer with model sales code
    3.     I save the vehicle order in DBM.
    4.     I go to VELO to create vehicle on Peugeot model sales code and create PO, good receipt and incoming invoice.
    5.     Then I use action QDBM to enable vehicle to DBM.
    6.     I assign the vehicle (DBM) to my vehicle order (created based on model).
    7.     The assignment is successful; therefore I would like to do Good Movement (good issue). Error : Material document contains no items pop up.
    8.     I have try with create VELO, assign QDM and create 3000 u2013 vehicle order, Good Movement able to perform.
    I apply snote 1527931 - Problem with reading of document flow on nonunicode systems.
    Its doesn't work, system say still say that material document contains no items.
    is it advisable change error message to warning message?
    Please advice.
    Thanks
    regards,
    ng chong chuan

    I am not sure but this coudl be reason.
    You have created a vehicle but you have not created the purchase order and Goods Recipt for the Vehicle, means the VEHICLE IS NOT IN YOUR INVENTORY
    First check whether the vehicle is in inventory or not, if not then not possible to do Goods issue.

  • Getting error message in debug "Page contains page items/buttons which are not assigned to a region!"

    Hi,
    I created a form and when I submit, it goes through but there is no "success" or "failure" message on Apex. I tried debugging it and got this message:
    "Page contains page items/buttons which are not assigned to a region!"
    I looked at the page definition and it seems like everything is assigned to a region. Much appreciate your help.
    Thanks!

    For your message, the relevant branch needs "include process success message" to be checked - and a value in success/failure in your process.
    Check the submitting & landing page for items not in a region. Under the items section there may be items listed separate to those under specific regions.
    It's possible these are related, but not guaranteed.

  • Okay i had to install Itunes onto my new OS because window's Vista messed up on me and i can't get any of my old purchases back from my account such as music and movies any ideas on how to get them back (i do not have the folder that contains old items)

    Okay i had to install Itunes onto my new OS because window's Vista messed up on me and i can't get any of my old purchases back from my account such as music and movies any ideas on how to get them back (i do not have the folder that contains old items from the last itunes or anything from that OS because it had a virus and i just wanted windows 7)

    Downloading past purchases from the App Store, iBookstore, and iTunes Store
    Hope this helps,
    JD

Maybe you are looking for

  • Date Functions( first day of a month that is 3 months from now....)

    I have recently written my first stored procedure. Its rather a bunch of SQL statements. I had to hard code lot of dates. most of them are first day of the current monthe or last day of current month etc. I thot of parametrizing all the dates, but if

  • How to uninstall leopard?

    Please I need to get my Tiger back to open my saved files. How do I uninstall the leopard.

  • How do I connect?

    I have just purchsed a Pavilion p7-1226s PC, and I'm wondering how I connect to my dial-up internet service, and to my very old HP Laser Jet 4V printer? This question was solved. View Solution.

  • Rewrite or optimize  the *Get Objec* instruction in an *OM* report

    Hi All I'm facing an optimization issue in a report OM and i would like to rewrite or optimize the code below.. I want to reduce the duration and i'm trying to write a new version without the PCH logical database .  Will it be possible to reduce it w

  • Strange pagination behaviour on detail report (BUG?)

    Hi I've the following situation: Form on a table and below an sql report based on value of one of form fields. Everything is fine as long, as I use form's primary key for the report, but when I use any other field, pagination breaks - going to the ne