knots
+ List reducedKnots = new ArrayList(fullProjectOrder.knots.length);
+ for (int i = 0; i < fullProjectOrder.knots.length; i++) {
+ IProject[] knot = fullProjectOrder.knots[i];
+ List x = new ArrayList(knot.length);
+ for (int j = 0; j < knot.length; j++) {
+ IProject project = knot[j];
+ if (keepers.contains(project)) {
+ x.add(project);
+ }
+ }
+ // keep knots containing 2 or more projects in the specified subset
+ if (x.size() > 1) {
+ reducedKnots.add(x.toArray(new IProject[x.size()]));
+ }
+ }
+ IProject[][] k1 = new IProject[reducedKnots.size()][];
+ // okay to use toArray here because reducedKnots elements are IProject[]
+ reducedKnots.toArray(k1);
+ return new ProjectOrder(p1, (k1.length > 0), k1);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#copy(IResource[], IPath, boolean, IProgressMonitor)
+ */
+ public IStatus copy(IResource[] resources, IPath destination, boolean force, IProgressMonitor monitor) throws CoreException {
+ int updateFlags = force ? IResource.FORCE : IResource.NONE;
+ return copy(resources, destination, updateFlags, monitor);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#copy(IResource[], IPath, int, IProgressMonitor)
+ */
+ public IStatus copy(IResource[] resources, IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ Assert.isLegal(resources != null);
+ int opWork = Math.max(resources.length, 1);
+ int totalWork = Policy.totalWork * opWork / Policy.opWork;
+ String message = Messages.resources_copying_0;
+ monitor.beginTask(message, totalWork);
+ if (resources.length == 0)
+ return Status.OK_STATUS;
+ // to avoid concurrent changes to this array
+ resources = (IResource[]) resources.clone();
+ IPath parentPath = null;
+ message = Messages.resources_copyProblem;
+ MultiStatus status = new MultiStatus(ResourcesPlugin.PI_RESOURCES, IResourceStatus.INTERNAL_ERROR, message, null);
+ try {
+ prepareOperation(getRoot(), monitor);
+ beginOperation(true);
+ for (int i = 0; i < resources.length; i++) {
+ Policy.checkCanceled(monitor);
+ IResource resource = resources[i];
+ if (resource == null || isDuplicate(resources, i)) {
+ monitor.worked(1);
+ continue;
+ }
+ // test siblings
+ if (parentPath == null)
+ parentPath = resource.getFullPath().removeLastSegments(1);
+ if (parentPath.equals(resource.getFullPath().removeLastSegments(1))) {
+ // test copy requirements
+ try {
+ IPath destinationPath = destination.append(resource.getName());
+ IStatus requirements = ((Resource) resource).checkCopyRequirements(destinationPath, resource.getType(), updateFlags);
+ if (requirements.isOK()) {
+ try {
+ resource.copy(destinationPath, updateFlags, Policy.subMonitorFor(monitor, 1));
+ } catch (CoreException e) {
+ status.merge(e.getStatus());
+ }
+ } else {
+ monitor.worked(1);
+ status.merge(requirements);
+ }
+ } catch (CoreException e) {
+ monitor.worked(1);
+ status.merge(e.getStatus());
+ }
+ } else {
+ monitor.worked(1);
+ message = NLS.bind(Messages.resources_notChild, resources[i].getFullPath(), parentPath);
+ status.merge(new ResourceStatus(IResourceStatus.OPERATION_FAILED, resources[i].getFullPath(), message));
+ }
+ }
+ } catch (OperationCanceledException e) {
+ getWorkManager().operationCanceled();
+ throw e;
+ } finally {
+ endOperation(getRoot(), true, Policy.subMonitorFor(monitor, totalWork - opWork));
+ }
+ if (status.matches(IStatus.ERROR))
+ throw new ResourceException(status);
+ return status.isOK() ? Status.OK_STATUS : (IStatus) status;
+ } finally {
+ monitor.done();
+ }
+ }
+
+ protected void copyTree(IResource source, IPath destination, int depth, int updateFlags, boolean keepSyncInfo) throws CoreException {
+ // retrieve the resource at the destination if there is one (phantoms included).
+ // if there isn't one, then create a new handle based on the type that we are
+ // trying to copy
+ IResource destinationResource = getRoot().findMember(destination, true);
+ int destinationType;
+ if (destinationResource == null) {
+ if (source.getType() == IResource.FILE)
+ destinationType = IResource.FILE;
+ else if (destination.segmentCount() == 1)
+ destinationType = IResource.PROJECT;
+ else
+ destinationType = IResource.FOLDER;
+ destinationResource = newResource(destination, destinationType);
+ } else
+ destinationType = destinationResource.getType();
+
+ // create the resource at the destination
+ ResourceInfo sourceInfo = ((Resource) source).getResourceInfo(true, false);
+ if (destinationType != source.getType()) {
+ sourceInfo = (ResourceInfo) sourceInfo.clone();
+ sourceInfo.setType(destinationType);
+ }
+ ResourceInfo newInfo = createResource(destinationResource, sourceInfo, false, false, keepSyncInfo);
+ // get/set the node id from the source's resource info so we can later put it in the
+ // info for the destination resource. This will help us generate the proper deltas,
+ // indicating a move rather than a add/delete
+ newInfo.setNodeId(sourceInfo.getNodeId());
+
+ // preserve local sync info but not location info
+ newInfo.setFlags(newInfo.getFlags() | (sourceInfo.getFlags() & M_LOCAL_EXISTS));
+ newInfo.setFileStoreRoot(null);
+
+ // forget content-related caching flags
+ newInfo.clear(M_CONTENT_CACHE);
+
+ // update link locations in project descriptions
+ if (source.isLinked()) {
+ LinkDescription linkDescription;
+ if ((updateFlags & IResource.SHALLOW) != 0) {
+ //for shallow move the destination is a linked resource with the same location
+ newInfo.set(ICoreConstants.M_LINK);
+ linkDescription = new LinkDescription(destinationResource, source.getLocationURI());
+ } else {
+ //for deep move the destination is not a linked resource
+ newInfo.clear(ICoreConstants.M_LINK);
+ linkDescription = null;
+ }
+ Project project = (Project) destinationResource.getProject();
+ project.internalGetDescription().setLinkLocation(destinationResource.getProjectRelativePath(), linkDescription);
+ project.writeDescription(updateFlags);
+ }
+
+ // do the recursion. if we have a file then it has no members so return. otherwise
+ // recursively call this method on the container's members if the depth tells us to
+ if (depth == IResource.DEPTH_ZERO || source.getType() == IResource.FILE)
+ return;
+ if (depth == IResource.DEPTH_ONE)
+ depth = IResource.DEPTH_ZERO;
+ //copy .project file first if project is being copied, otherwise links won't be able to update description
+ boolean projectCopy = source.getType() == IResource.PROJECT && destinationType == IResource.PROJECT;
+ if (projectCopy) {
+ IResource dotProject = ((Project) source).findMember(IProjectDescription.DESCRIPTION_FILE_NAME);
+ if (dotProject != null)
+ copyTree(dotProject, destination.append(dotProject.getName()), depth, updateFlags, keepSyncInfo);
+ }
+ IResource[] children = ((IContainer) source).members(IContainer.INCLUDE_TEAM_PRIVATE_MEMBERS | IContainer.INCLUDE_HIDDEN);
+ for (int i = 0, imax = children.length; i < imax; i++) {
+ String childName = children[i].getName();
+ if (!projectCopy || !childName.equals(IProjectDescription.DESCRIPTION_FILE_NAME)) {
+ IPath childPath = destination.append(childName);
+ copyTree(children[i], childPath, depth, updateFlags, keepSyncInfo);
+ }
+ }
+ }
+
+ /**
+ * Returns the number of resources in a subtree of the resource tree.
+ *
+ * @param root The subtree to count resources for
+ * @param depth The depth of the subtree to count
+ * @param phantom If true, phantoms are included, otherwise they are ignored.
+ */
+ public int countResources(IPath root, int depth, final boolean phantom) {
+ if (!tree.includes(root))
+ return 0;
+ switch (depth) {
+ case IResource.DEPTH_ZERO :
+ return 1;
+ case IResource.DEPTH_ONE :
+ return 1 + tree.getChildCount(root);
+ case IResource.DEPTH_INFINITE :
+ final int[] count = new int[1];
+ IElementContentVisitor visitor = new IElementContentVisitor() {
+ public boolean visitElement(ElementTree aTree, IPathRequestor requestor, Object elementContents) {
+ if (phantom || !((ResourceInfo) elementContents).isSet(M_PHANTOM))
+ count[0]++;
+ return true;
+ }
+ };
+ new ElementTreeIterator(tree, root).iterate(visitor);
+ return count[0];
+ }
+ return 0;
+ }
+
+ /*
+ * Creates the given resource in the tree and returns the new resource info object.
+ * If phantom is true, the created element is marked as a phantom.
+ * If there is already be an element in the tree for the given resource
+ * in the given state (i.e., phantom), a CoreException is thrown.
+ * If there is already a phantom in the tree and the phantom flag is false,
+ * the element is overwritten with the new element. (but the synchronization
+ * information is preserved)
+ */
+ public ResourceInfo createResource(IResource resource, boolean phantom) throws CoreException {
+ return createResource(resource, null, phantom, false, false);
+ }
+
+ /**
+ * Creates a resource, honoring update flags requesting that the resource
+ * be immediately made derived, hidden and/or team private
+ */
+ public ResourceInfo createResource(IResource resource, int updateFlags) throws CoreException {
+ ResourceInfo info = createResource(resource, null, false, false, false);
+ if ((updateFlags & IResource.DERIVED) != 0)
+ info.set(M_DERIVED);
+ if ((updateFlags & IResource.TEAM_PRIVATE) != 0)
+ info.set(M_TEAM_PRIVATE_MEMBER);
+ if ((updateFlags & IResource.HIDDEN) != 0)
+ info.set(M_HIDDEN);
+ return info;
+ }
+
+ /*
+ * Creates the given resource in the tree and returns the new resource info object.
+ * If phantom is true, the created element is marked as a phantom.
+ * If there is already be an element in the tree for the given resource
+ * in the given state (i.e., phantom), a CoreException is thrown.
+ * If there is already a phantom in the tree and the phantom flag is false,
+ * the element is overwritten with the new element. (but the synchronization
+ * information is preserved) If the specified resource info is null, then create
+ * a new one.
+ *
+ * If keepSyncInfo is set to be true, the sync info in the given ResourceInfo is NOT
+ * cleared before being created and thus any sync info already existing at that namespace
+ * (as indicated by an already existing phantom resource) will be lost.
+ */
+ public ResourceInfo createResource(IResource resource, ResourceInfo info, boolean phantom, boolean overwrite, boolean keepSyncInfo) throws CoreException {
+ info = info == null ? newElement(resource.getType()) : (ResourceInfo) info.clone();
+ ResourceInfo original = getResourceInfo(resource.getFullPath(), true, false);
+ if (phantom) {
+ info.set(M_PHANTOM);
+ info.clearModificationStamp();
+ }
+ // if nothing existed at the destination then just create the resource in the tree
+ if (original == null) {
+ // we got here from a copy/move. we don't want to copy over any sync info
+ // from the source so clear it.
+ if (!keepSyncInfo)
+ info.setSyncInfo(null);
+ tree.createElement(resource.getFullPath(), info);
+ } else {
+ // if overwrite==true then slam the new info into the tree even if one existed before
+ if (overwrite || (!phantom && original.isSet(M_PHANTOM))) {
+ // copy over the sync info and flags from the old resource info
+ // since we are replacing a phantom with a real resource
+ // DO NOT set the sync info dirty flag because we want to
+ // preserve the old sync info so its not dirty
+ // XXX: must copy over the generic sync info from the old info to the new
+ // XXX: do we really need to clone the sync info here?
+ if (!keepSyncInfo)
+ info.setSyncInfo(original.getSyncInfo(true));
+ // mark the markers bit as dirty so we snapshot an empty marker set for
+ // the new resource
+ info.set(ICoreConstants.M_MARKERS_SNAP_DIRTY);
+ tree.setElementData(resource.getFullPath(), info);
+ } else {
+ String message = NLS.bind(Messages.resources_mustNotExist, resource.getFullPath());
+ throw new ResourceException(IResourceStatus.RESOURCE_EXISTS, resource.getFullPath(), message, null);
+ }
+ }
+ return info;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#delete(IResource[], boolean, IProgressMonitor)
+ */
+ public IStatus delete(IResource[] resources, boolean force, IProgressMonitor monitor) throws CoreException {
+ int updateFlags = force ? IResource.FORCE : IResource.NONE;
+ updateFlags |= IResource.KEEP_HISTORY;
+ return delete(resources, updateFlags, monitor);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#delete(IResource[], int, IProgressMonitor)
+ */
+ public IStatus delete(IResource[] resources, int updateFlags, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ int opWork = Math.max(resources.length, 1);
+ int totalWork = Policy.totalWork * opWork / Policy.opWork;
+ String message = Messages.resources_deleting_0;
+ monitor.beginTask(message, totalWork);
+ message = Messages.resources_deleteProblem;
+ MultiStatus result = new MultiStatus(ResourcesPlugin.PI_RESOURCES, IResourceStatus.INTERNAL_ERROR, message, null);
+ if (resources.length == 0)
+ return result;
+ resources = (IResource[]) resources.clone(); // to avoid concurrent changes to this array
+ try {
+ prepareOperation(getRoot(), monitor);
+ beginOperation(true);
+ for (int i = 0; i < resources.length; i++) {
+ Policy.checkCanceled(monitor);
+ Resource resource = (Resource) resources[i];
+ if (resource == null) {
+ monitor.worked(1);
+ continue;
+ }
+ try {
+ resource.delete(updateFlags, Policy.subMonitorFor(monitor, 1));
+ } catch (CoreException e) {
+ // Don't really care about the exception unless the resource is still around.
+ ResourceInfo info = resource.getResourceInfo(false, false);
+ if (resource.exists(resource.getFlags(info), false)) {
+ message = NLS.bind(Messages.resources_couldnotDelete, resource.getFullPath());
+ result.merge(new ResourceStatus(IResourceStatus.FAILED_DELETE_LOCAL, resource.getFullPath(), message));
+ result.merge(e.getStatus());
+ }
+ }
+ }
+ if (result.matches(IStatus.ERROR))
+ throw new ResourceException(result);
+ return result;
+ } catch (OperationCanceledException e) {
+ getWorkManager().operationCanceled();
+ throw e;
+ } finally {
+ endOperation(getRoot(), true, Policy.subMonitorFor(monitor, totalWork - opWork));
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#deleteMarkers(IMarker[])
+ */
+ public void deleteMarkers(IMarker[] markers) throws CoreException {
+ Assert.isNotNull(markers);
+ if (markers.length == 0)
+ return;
+ // clone to avoid outside changes
+ markers = (IMarker[]) markers.clone();
+ try {
+ prepareOperation(null, null);
+ beginOperation(true);
+ for (int i = 0; i < markers.length; ++i)
+ if (markers[i] != null && markers[i].getResource() != null)
+ markerManager.removeMarker(markers[i].getResource(), markers[i].getId());
+ } finally {
+ endOperation(null, false, null);
+ }
+ }
+
+ /**
+ * Delete the given resource from the current tree of the receiver.
+ * This method simply removes the resource from the tree. No cleanup or
+ * other management is done. Use IResource.delete for proper deletion.
+ * If the given resource is the root, all of its children (i.e., all projects) are
+ * deleted but the root is left.
+ */
+ void deleteResource(IResource resource) {
+ IPath path = resource.getFullPath();
+ if (path.equals(Path.ROOT)) {
+ IProject[] children = getRoot().getProjects(IContainer.INCLUDE_HIDDEN);
+ for (int i = 0; i < children.length; i++)
+ tree.deleteElement(children[i].getFullPath());
+ } else
+ tree.deleteElement(path);
+ }
+
+ /**
+ * End an operation (group of resource changes).
+ * Notify interested parties that resource changes have taken place. All
+ * registered resource change listeners are notified. If autobuilding is
+ * enabled, a build is run.
+ */
+ public void endOperation(ISchedulingRule rule, boolean build, IProgressMonitor monitor) throws CoreException {
+ WorkManager workManager = getWorkManager();
+ //don't do any end operation work if we failed to check in
+ if (workManager.checkInFailed(rule))
+ return;
+ // This is done in a try finally to ensure that we always decrement the operation count
+ // and release the workspace lock. This must be done at the end because snapshot
+ // and "hasChanges" comparison have to happen without interference from other threads.
+ boolean hasTreeChanges = false;
+ boolean depthOne = false;
+ try {
+ workManager.setBuild(build);
+ // if we are not exiting a top level operation then just decrement the count and return
+ depthOne = workManager.getPreparedOperationDepth() == 1;
+ if (!(notificationManager.shouldNotify() || depthOne)) {
+ notificationManager.requestNotify();
+ return;
+ }
+ // do the following in a try/finally to ensure that the operation tree is nulled at the end
+ // as we are completing a top level operation.
+ try {
+ notificationManager.beginNotify();
+ // check for a programming error on using beginOperation/endOperation
+ Assert.isTrue(workManager.getPreparedOperationDepth() > 0, "Mismatched begin/endOperation"); //$NON-NLS-1$
+
+ // At this time we need to re-balance the nested operations. It is necessary because
+ // build() and snapshot() should not fail if they are called.
+ workManager.rebalanceNestedOperations();
+
+ //find out if any operation has potentially modified the tree
+ hasTreeChanges = workManager.shouldBuild();
+ //double check if the tree has actually changed
+ if (hasTreeChanges)
+ hasTreeChanges = operationTree != null && ElementTree.hasChanges(tree, operationTree, ResourceComparator.getBuildComparator(), true);
+ broadcastPostChange();
+ // Request a snapshot if we are sufficiently out of date.
+ saveManager.snapshotIfNeeded(hasTreeChanges);
+ } finally {
+ // make sure the tree is immutable if we are ending a top-level operation.
+ if (depthOne) {
+ tree.immutable();
+ operationTree = null;
+ } else
+ newWorkingTree();
+ }
+ } finally {
+ workManager.checkOut(rule);
+ }
+ if (depthOne)
+ buildManager.endTopLevel(hasTreeChanges);
+ }
+
+ /**
+ * Flush the build order cache for the workspace. Only needed if the
+ * description does not already have a build order. That is, if this
+ * is really a cache.
+ */
+ protected void flushBuildOrder() {
+ if (description.getBuildOrder(false) == null)
+ buildOrder = null;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#forgetSavedTree(String)
+ */
+ public void forgetSavedTree(String pluginId) {
+ saveManager.forgetSavedTree(pluginId);
+ }
+
+ public AliasManager getAliasManager() {
+ return aliasManager;
+ }
+
+ /**
+ * Returns this workspace's build manager
+ */
+ public BuildManager getBuildManager() {
+ return buildManager;
+ }
+
+ /**
+ * Returns the order in which open projects in this workspace will be built.
+ *
+ * The project build order is based on information specified in the workspace
+ * description. The projects are built in the order specified by
+ * IWorkspaceDescription.getBuildOrder
; closed or non-existent
+ * projects are ignored and not included in the result. If
+ * IWorkspaceDescription.getBuildOrder
is non-null, the default
+ * build order is used; again, only open projects are included in the result.
+ *
+ *
+ * The returned value is cached in the buildOrder
field.
+ *
+ *
+ * @return the list of currently open projects in the workspace in the order in
+ * which they would be built by IWorkspace.build
.
+ * @see IWorkspace#build(int, IProgressMonitor)
+ * @see IWorkspaceDescription#getBuildOrder()
+ * @since 2.1
+ */
+ public IProject[] getBuildOrder() {
+ if (buildOrder != null) {
+ // return previously-computed and cached project build order
+ return buildOrder;
+ }
+ // see if a particular build order is specified
+ String[] order = description.getBuildOrder(false);
+ if (order != null) {
+ // convert from project names to project handles
+ // and eliminate non-existent and closed projects
+ List projectList = new ArrayList(order.length);
+ for (int i = 0; i < order.length; i++) {
+ IProject project = getRoot().getProject(order[i]);
+ if (project.isAccessible()) {
+ projectList.add(project);
+ }
+ }
+ buildOrder = new IProject[projectList.size()];
+ projectList.toArray(buildOrder);
+ } else {
+ // use default project build order
+ // computed for all accessible projects in workspace
+ buildOrder = computeFullProjectOrder().projects;
+ }
+ return buildOrder;
+ }
+
+ public CharsetManager getCharsetManager() {
+ return charsetManager;
+ }
+
+ public ContentDescriptionManager getContentDescriptionManager() {
+ return contentDescriptionManager;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getDanglingReferences()
+ */
+ public Map getDanglingReferences() {
+ IProject[] projects = getRoot().getProjects(IContainer.INCLUDE_HIDDEN);
+ Map result = new HashMap(projects.length);
+ for (int i = 0; i < projects.length; i++) {
+ Project project = (Project) projects[i];
+ if (!project.isAccessible())
+ continue;
+ IProject[] refs = project.internalGetDescription().getReferencedProjects(false);
+ List dangling = new ArrayList(refs.length);
+ for (int j = 0; j < refs.length; j++)
+ if (!refs[i].exists())
+ dangling.add(refs[i]);
+ if (!dangling.isEmpty())
+ result.put(projects[i], dangling.toArray(new IProject[dangling.size()]));
+ }
+ return result;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getDescription()
+ */
+ public IWorkspaceDescription getDescription() {
+ WorkspaceDescription workingCopy = defaultWorkspaceDescription();
+ description.copyTo(workingCopy);
+ return workingCopy;
+ }
+
+ /**
+ * Returns the current element tree for this workspace
+ */
+ public ElementTree getElementTree() {
+ return tree;
+ }
+
+ public FileSystemResourceManager getFileSystemManager() {
+ return fileSystemManager;
+ }
+
+ /**
+ * Returns the marker manager for this workspace
+ */
+ public MarkerManager getMarkerManager() {
+ return markerManager;
+ }
+
+ public LocalMetaArea getMetaArea() {
+ return localMetaArea;
+ }
+
+ protected IMoveDeleteHook getMoveDeleteHook() {
+ if (moveDeleteHook == null)
+ initializeMoveDeleteHook();
+ return moveDeleteHook;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getNatureDescriptor(String)
+ */
+ public IProjectNatureDescriptor getNatureDescriptor(String natureId) {
+ return natureManager.getNatureDescriptor(natureId);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getNatureDescriptors()
+ */
+ public IProjectNatureDescriptor[] getNatureDescriptors() {
+ return natureManager.getNatureDescriptors();
+ }
+
+ /**
+ * Returns the nature manager for this workspace.
+ */
+ public NatureManager getNatureManager() {
+ return natureManager;
+ }
+
+ public NotificationManager getNotificationManager() {
+ return notificationManager;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getPathVariableManager()
+ */
+ public IPathVariableManager getPathVariableManager() {
+ return pathVariableManager;
+ }
+
+ public IPropertyManager getPropertyManager() {
+ return propertyManager;
+ }
+
+ /**
+ * Returns the refresh manager for this workspace
+ */
+ public RefreshManager getRefreshManager() {
+ return refreshManager;
+ }
+
+ /**
+ * Returns the resource info for the identified resource.
+ * null is returned if no such resource can be found.
+ * If the phantom flag is true, phantom resources are considered.
+ * If the mutable flag is true, the info is opened for change.
+ *
+ * This method DOES NOT throw an exception if the resource is not found.
+ */
+ public ResourceInfo getResourceInfo(IPath path, boolean phantom, boolean mutable) {
+ try {
+ if (path.segmentCount() == 0) {
+ ResourceInfo info = (ResourceInfo) tree.getTreeData();
+ Assert.isNotNull(info, "Tree root info must never be null"); //$NON-NLS-1$
+ return info;
+ }
+ ResourceInfo result = null;
+ if (!tree.includes(path))
+ return null;
+ if (mutable)
+ result = (ResourceInfo) tree.openElementData(path);
+ else
+ result = (ResourceInfo) tree.getElementData(path);
+ if (result != null && (!phantom && result.isSet(M_PHANTOM)))
+ return null;
+ return result;
+ } catch (IllegalArgumentException e) {
+ return null;
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getRoot()
+ */
+ public IWorkspaceRoot getRoot() {
+ return defaultRoot;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getRuleFactory()
+ */
+ public IResourceRuleFactory getRuleFactory() {
+ //note that the rule factory is created lazily because it
+ //requires loading the teamHook extension
+ if (ruleFactory == null)
+ ruleFactory = new Rules(this);
+ return ruleFactory;
+ }
+
+ public SaveManager getSaveManager() {
+ return saveManager;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#getSynchronizer()
+ */
+ public ISynchronizer getSynchronizer() {
+ return synchronizer;
+ }
+
+ /**
+ * Returns the installed team hook. Never returns null.
+ */
+ protected TeamHook getTeamHook() {
+ if (teamHook == null)
+ initializeTeamHook();
+ return teamHook;
+ }
+
+ /**
+ * We should not have direct references to this field. All references should go through
+ * this method.
+ */
+ public WorkManager getWorkManager() throws CoreException {
+ if (_workManager == null) {
+ String message = Messages.resources_shutdown;
+ throw new ResourceException(new ResourceStatus(IResourceStatus.INTERNAL_ERROR, null, message));
+ }
+ return _workManager;
+ }
+
+ /**
+ * A move/delete hook hasn't been initialized. Check the extension point and
+ * try to create a new hook if a user has one defined as an extension. Otherwise
+ * use the Core's implementation as the default.
+ */
+ protected void initializeMoveDeleteHook() {
+ try {
+ if (!canCreateExtensions())
+ return;
+ IConfigurationElement[] configs = Platform.getExtensionRegistry().getConfigurationElementsFor(ResourcesPlugin.PI_RESOURCES, ResourcesPlugin.PT_MOVE_DELETE_HOOK);
+ // no-one is plugged into the extension point so disable validation
+ if (configs == null || configs.length == 0) {
+ return;
+ }
+ // can only have one defined at a time. log a warning
+ if (configs.length > 1) {
+ //XXX: should provide a meaningful status code
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_oneHook, null);
+ Policy.log(status);
+ return;
+ }
+ // otherwise we have exactly one hook extension. Try to create a new instance
+ // from the user-specified class.
+ try {
+ IConfigurationElement config = configs[0];
+ moveDeleteHook = (IMoveDeleteHook) config.createExecutableExtension("class"); //$NON-NLS-1$
+ } catch (CoreException e) {
+ //ignore the failure if we are shutting down (expected since extension
+ //provider plugin has probably already shut down
+ if (canCreateExtensions()) {
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_initHook, e);
+ Policy.log(status);
+ }
+ }
+ } finally {
+ // for now just use Core's implementation
+ if (moveDeleteHook == null)
+ moveDeleteHook = new MoveDeleteHook();
+ }
+ }
+
+ /**
+ * A team hook hasn't been initialized. Check the extension point and
+ * try to create a new hook if a user has one defined as an extension.
+ * Otherwise use the Core's implementation as the default.
+ */
+ protected void initializeTeamHook() {
+ try {
+ if (!canCreateExtensions())
+ return;
+ IConfigurationElement[] configs = Platform.getExtensionRegistry().getConfigurationElementsFor(ResourcesPlugin.PI_RESOURCES, ResourcesPlugin.PT_TEAM_HOOK);
+ // no-one is plugged into the extension point so disable validation
+ if (configs == null || configs.length == 0) {
+ return;
+ }
+ // can only have one defined at a time. log a warning
+ if (configs.length > 1) {
+ //XXX: should provide a meaningful status code
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_oneTeamHook, null);
+ Policy.log(status);
+ return;
+ }
+ // otherwise we have exactly one hook extension. Try to create a new instance
+ // from the user-specified class.
+ try {
+ IConfigurationElement config = configs[0];
+ teamHook = (TeamHook) config.createExecutableExtension("class"); //$NON-NLS-1$
+ } catch (CoreException e) {
+ //ignore the failure if we are shutting down (expected since extension
+ //provider plugin has probably already shut down
+ if (canCreateExtensions()) {
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_initTeamHook, e);
+ Policy.log(status);
+ }
+ }
+ } finally {
+ // default to use Core's implementation
+ //create anonymous subclass because TeamHook is abstract
+ if (teamHook == null)
+ teamHook = new TeamHook() {
+ // empty
+ };
+ }
+ }
+
+ /**
+ * A file modification validator hasn't been initialized. Check the extension point and
+ * try to create a new validator if a user has one defined as an extension.
+ */
+ protected void initializeValidator() {
+ shouldValidate = false;
+ if (!canCreateExtensions())
+ return;
+ IConfigurationElement[] configs = Platform.getExtensionRegistry().getConfigurationElementsFor(ResourcesPlugin.PI_RESOURCES, ResourcesPlugin.PT_FILE_MODIFICATION_VALIDATOR);
+ // no-one is plugged into the extension point so disable validation
+ if (configs == null || configs.length == 0) {
+ return;
+ }
+ // can only have one defined at a time. log a warning, disable validation, but continue with
+ // the #setContents (e.g. don't throw an exception)
+ if (configs.length > 1) {
+ //XXX: should provide a meaningful status code
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_oneValidator, null);
+ Policy.log(status);
+ return;
+ }
+ // otherwise we have exactly one validator extension. Try to create a new instance
+ // from the user-specified class.
+ try {
+ IConfigurationElement config = configs[0];
+ validator = (IFileModificationValidator) config.createExecutableExtension("class"); //$NON-NLS-1$
+ shouldValidate = true;
+ } catch (CoreException e) {
+ //ignore the failure if we are shutting down (expected since extension
+ //provider plugin has probably already shut down
+ if (canCreateExtensions()) {
+ IStatus status = new ResourceStatus(IStatus.ERROR, 1, null, Messages.resources_initValidator, e);
+ Policy.log(status);
+ }
+ }
+ }
+
+ public WorkspaceDescription internalGetDescription() {
+ return description;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#isAutoBuilding()
+ */
+ public boolean isAutoBuilding() {
+ return description.isAutoBuilding();
+ }
+
+ public boolean isOpen() {
+ return openFlag;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#isTreeLocked()
+ */
+ public boolean isTreeLocked() {
+ return treeLocked == Thread.currentThread();
+ }
+
+ /**
+ * Link the given tree into the receiver's tree at the specified resource.
+ */
+ protected void linkTrees(IPath path, ElementTree[] newTrees) {
+ tree = tree.mergeDeltaChain(path, newTrees);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#loadProjectDescription(InputStream)
+ * @since 3.1
+ */
+ public IProjectDescription loadProjectDescription(InputStream stream) throws CoreException {
+ IProjectDescription result = null;
+ result = new ProjectDescriptionReader().read(new InputSource(stream));
+ if (result == null) {
+ String message = NLS.bind(Messages.resources_errorReadProject, stream.toString());
+ IStatus status = new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, IResourceStatus.FAILED_READ_METADATA, message, null);
+ throw new ResourceException(status);
+ }
+ return result;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#loadProjectDescription(IPath)
+ * @since 2.0
+ */
+ public IProjectDescription loadProjectDescription(IPath path) throws CoreException {
+ IProjectDescription result = null;
+ IOException e = null;
+ try {
+ result = new ProjectDescriptionReader().read(path);
+ if (result != null) {
+ // check to see if we are using in the default area or not. use java.io.File for
+ // testing equality because it knows better w.r.t. drives and case sensitivity
+ IPath user = path.removeLastSegments(1);
+ IPath platform = getRoot().getLocation().append(result.getName());
+ if (!user.toFile().equals(platform.toFile()))
+ result.setLocation(user);
+ }
+ } catch (IOException ex) {
+ e = ex;
+ }
+ if (result == null || e != null) {
+ String message = NLS.bind(Messages.resources_errorReadProject, path.toOSString());
+ IStatus status = new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, IResourceStatus.FAILED_READ_METADATA, message, e);
+ throw new ResourceException(status);
+ }
+ return result;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#move(IResource[], IPath, boolean, IProgressMonitor)
+ */
+ public IStatus move(IResource[] resources, IPath destination, boolean force, IProgressMonitor monitor) throws CoreException {
+ int updateFlags = force ? IResource.FORCE : IResource.NONE;
+ updateFlags |= IResource.KEEP_HISTORY;
+ return move(resources, destination, updateFlags, monitor);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#move(IResource[], IPath, int, IProgressMonitor)
+ */
+ public IStatus move(IResource[] resources, IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ Assert.isLegal(resources != null);
+ int opWork = Math.max(resources.length, 1);
+ int totalWork = Policy.totalWork * opWork / Policy.opWork;
+ String message = Messages.resources_moving_0;
+ monitor.beginTask(message, totalWork);
+ if (resources.length == 0)
+ return Status.OK_STATUS;
+ resources = (IResource[]) resources.clone(); // to avoid concurrent changes to this array
+ IPath parentPath = null;
+ message = Messages.resources_moveProblem;
+ MultiStatus status = new MultiStatus(ResourcesPlugin.PI_RESOURCES, IResourceStatus.INTERNAL_ERROR, message, null);
+ try {
+ prepareOperation(getRoot(), monitor);
+ beginOperation(true);
+ for (int i = 0; i < resources.length; i++) {
+ Policy.checkCanceled(monitor);
+ Resource resource = (Resource) resources[i];
+ if (resource == null || isDuplicate(resources, i)) {
+ monitor.worked(1);
+ continue;
+ }
+ // test siblings
+ if (parentPath == null)
+ parentPath = resource.getFullPath().removeLastSegments(1);
+ if (parentPath.equals(resource.getFullPath().removeLastSegments(1))) {
+ // test move requirements
+ try {
+ IStatus requirements = resource.checkMoveRequirements(destination.append(resource.getName()), resource.getType(), updateFlags);
+ if (requirements.isOK()) {
+ try {
+ resource.move(destination.append(resource.getName()), updateFlags, Policy.subMonitorFor(monitor, 1));
+ } catch (CoreException e) {
+ status.merge(e.getStatus());
+ }
+ } else {
+ monitor.worked(1);
+ status.merge(requirements);
+ }
+ } catch (CoreException e) {
+ monitor.worked(1);
+ status.merge(e.getStatus());
+ }
+ } else {
+ monitor.worked(1);
+ message = NLS.bind(Messages.resources_notChild, resource.getFullPath(), parentPath);
+ status.merge(new ResourceStatus(IResourceStatus.OPERATION_FAILED, resource.getFullPath(), message));
+ }
+ }
+ } catch (OperationCanceledException e) {
+ getWorkManager().operationCanceled();
+ throw e;
+ } finally {
+ endOperation(getRoot(), true, Policy.subMonitorFor(monitor, totalWork - opWork));
+ }
+ if (status.matches(IStatus.ERROR))
+ throw new ResourceException(status);
+ return status.isOK() ? (IStatus) Status.OK_STATUS : (IStatus) status;
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /**
+ * Moves this resource's subtree to the destination. This operation should only be
+ * used by move methods. Destination must be a valid destination for this resource.
+ * The keepSyncInfo boolean is used to indicated whether or not the sync info should
+ * be moved from the source to the destination.
+ */
+
+ /* package */
+ void move(Resource source, IPath destination, int depth, int updateFlags, boolean keepSyncInfo) throws CoreException {
+ // overlay the tree at the destination path, preserving any important info
+ // in any already existing resource information
+ copyTree(source, destination, depth, updateFlags, keepSyncInfo);
+ source.fixupAfterMoveSource();
+ }
+
+ /**
+ * Create and return a new tree element of the given type.
+ */
+ protected ResourceInfo newElement(int type) {
+ ResourceInfo result = null;
+ switch (type) {
+ case IResource.FILE :
+ case IResource.FOLDER :
+ result = new ResourceInfo();
+ break;
+ case IResource.PROJECT :
+ result = new ProjectInfo();
+ break;
+ case IResource.ROOT :
+ result = new RootInfo();
+ break;
+ }
+ result.setNodeId(nextNodeId());
+ updateModificationStamp(result);
+ result.setType(type);
+ return result;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#newProjectDescription(String)
+ */
+ public IProjectDescription newProjectDescription(String projectName) {
+ IProjectDescription result = new ProjectDescription();
+ result.setName(projectName);
+ return result;
+ }
+
+ public Resource newResource(IPath path, int type) {
+ String message;
+ switch (type) {
+ case IResource.FOLDER :
+ if (path.segmentCount() < ICoreConstants.MINIMUM_FOLDER_SEGMENT_LENGTH) {
+ message = "Path must include project and resource name: " + path.toString(); //$NON-NLS-1$
+ Assert.isLegal(false, message);
+ }
+ return new Folder(path.makeAbsolute(), this);
+ case IResource.FILE :
+ if (path.segmentCount() < ICoreConstants.MINIMUM_FILE_SEGMENT_LENGTH) {
+ message = "Path must include project and resource name: " + path.toString(); //$NON-NLS-1$
+ Assert.isLegal(false, message);
+ }
+ return new File(path.makeAbsolute(), this);
+ case IResource.PROJECT :
+ return (Resource) getRoot().getProject(path.lastSegment());
+ case IResource.ROOT :
+ return (Resource) getRoot();
+ }
+ Assert.isLegal(false);
+ // will never get here because of assertion.
+ return null;
+ }
+
+ /**
+ * Opens a new mutable element tree layer, thus allowing
+ * modifications to the tree.
+ */
+ public ElementTree newWorkingTree() {
+ tree = tree.newEmptyDelta();
+ return tree;
+ }
+
+ /**
+ * Returns the next, previously unassigned, marker id.
+ */
+ protected long nextMarkerId() {
+ return nextMarkerId++;
+ }
+
+ protected long nextNodeId() {
+ return nextNodeId++;
+ }
+
+ /**
+ * Opens this workspace using the data at its location in the local file system.
+ * This workspace must not be open.
+ * If the operation succeeds, the result will detail any serious
+ * (but non-fatal) problems encountered while opening the workspace.
+ * The status code will be OK
if there were no problems.
+ * An exception is thrown if there are fatal problems opening the workspace,
+ * in which case the workspace is left closed.
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ * @return status with code OK
if no problems;
+ * otherwise status describing any serious but non-fatal problems.
+ *
+ * @exception CoreException if the workspace could not be opened.
+ * Reasons include:
+ *
+ * There is no valid workspace structure at the given location
+ * in the local file system.
+ * The workspace structure on disk appears to be hopelessly corrupt.
+ *
+ * @see ResourcesPlugin#getWorkspace()
+ */
+ public IStatus open(IProgressMonitor monitor) throws CoreException {
+ // This method is not inside an operation because it is the one responsible for
+ // creating the WorkManager object (who takes care of operations).
+ String message = Messages.resources_workspaceOpen;
+ Assert.isTrue(!isOpen(), message);
+ if (!getMetaArea().hasSavedWorkspace()) {
+ message = Messages.resources_readWorkspaceMeta;
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, Platform.getLocation(), message, null);
+ }
+ description = new WorkspacePreferences();
+
+ // if we have an old description file, read it (getting rid of it)
+ WorkspaceDescription oldDescription = getMetaArea().readOldWorkspace();
+ if (oldDescription != null) {
+ description.copyFrom(oldDescription);
+ ResourcesPlugin.getPlugin().savePluginPreferences();
+ }
+
+ // create root location
+ localMetaArea.locationFor(getRoot()).toFile().mkdirs();
+
+ IProgressMonitor nullMonitor = Policy.monitorFor(null);
+ startup(nullMonitor);
+ //restart the notification manager so it is initialized with the right tree
+ notificationManager.startup(null);
+ openFlag = true;
+ if (crashed || refreshRequested()) {
+ try {
+ refreshManager.refresh(getRoot());
+ } catch (RuntimeException e) {
+ //don't fail entire open if refresh failed, just report as warning
+ return new ResourceStatus(IResourceStatus.INTERNAL_ERROR, Path.ROOT, Messages.resources_errorMultiRefresh, e);
+ }
+ }
+ //finally register a string pool participant
+ stringPoolJob = new StringPoolJob();
+ stringPoolJob.addStringPoolParticipant(saveManager, getRoot());
+ return Status.OK_STATUS;
+ }
+
+ /**
+ * Called before checking the pre-conditions of an operation. Optionally supply
+ * a scheduling rule to determine when the operation is safe to run. If a scheduling
+ * rule is supplied, this method will block until it is safe to run.
+ *
+ * @param rule the scheduling rule that describes what this operation intends to modify.
+ */
+ public void prepareOperation(ISchedulingRule rule, IProgressMonitor monitor) throws CoreException {
+ try {
+ //make sure autobuild is not running if it conflicts with this operation
+ if (rule != null && rule.isConflicting(getRuleFactory().buildRule()))
+ buildManager.interrupt();
+ } finally {
+ getWorkManager().checkIn(rule, monitor);
+ }
+ if (!isOpen()) {
+ String message = Messages.resources_workspaceClosed;
+ throw new ResourceException(IResourceStatus.OPERATION_FAILED, null, message, null);
+ }
+ }
+
+ protected boolean refreshRequested() {
+ String[] args = Platform.getCommandLineArgs();
+ for (int i = 0; i < args.length; i++)
+ if (args[i].equalsIgnoreCase(REFRESH_ON_STARTUP))
+ return true;
+ return false;
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#removeResourceChangeListener(IResourceChangeListener)
+ */
+ public void removeResourceChangeListener(IResourceChangeListener listener) {
+ notificationManager.removeListener(listener);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#removeSaveParticipant(Plugin)
+ */
+ public void removeSaveParticipant(Plugin plugin) {
+ Assert.isNotNull(plugin, "Plugin must not be null"); //$NON-NLS-1$
+ saveManager.removeParticipant(plugin);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#run(IWorkspaceRunnable, IProgressMonitor)
+ */
+ public void run(IWorkspaceRunnable action, IProgressMonitor monitor) throws CoreException {
+ run(action, defaultRoot, IWorkspace.AVOID_UPDATE, monitor);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#run(IWorkspaceRunnable, ISchedulingRule, int, IProgressMonitor)
+ */
+ public void run(IWorkspaceRunnable action, ISchedulingRule rule, int options, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ monitor.beginTask("", Policy.totalWork); //$NON-NLS-1$
+ int depth = -1;
+ boolean avoidNotification = (options & IWorkspace.AVOID_UPDATE) != 0;
+ try {
+ prepareOperation(rule, monitor);
+ beginOperation(true);
+ if (avoidNotification)
+ avoidNotification = notificationManager.beginAvoidNotify();
+ depth = getWorkManager().beginUnprotected();
+ action.run(Policy.subMonitorFor(monitor, Policy.opWork, SubProgressMonitor.PREPEND_MAIN_LABEL_TO_SUBTASK));
+ } catch (OperationCanceledException e) {
+ getWorkManager().operationCanceled();
+ throw e;
+ } finally {
+ if (avoidNotification)
+ notificationManager.endAvoidNotify();
+ if (depth >= 0)
+ getWorkManager().endUnprotected(depth);
+ endOperation(rule, false, Policy.subMonitorFor(monitor, Policy.endOpWork));
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#save(boolean, IProgressMonitor)
+ */
+ public IStatus save(boolean full, IProgressMonitor monitor) throws CoreException {
+ return this.save(full, false, monitor);
+ }
+
+ public IStatus save(boolean full, boolean keepConsistencyWhenCanceled, IProgressMonitor monitor) throws CoreException {
+ String message;
+ if (full) {
+ //according to spec it is illegal to start a full save inside another operation
+ if (getWorkManager().isLockAlreadyAcquired()) {
+ message = Messages.resources_saveOp;
+ throw new ResourceException(IResourceStatus.OPERATION_FAILED, null, message, new IllegalStateException());
+ }
+ return saveManager.save(ISaveContext.FULL_SAVE, keepConsistencyWhenCanceled, null, monitor);
+ }
+ // A snapshot was requested. Start an operation (if not already started) and
+ // signal that a snapshot should be done at the end.
+ try {
+ prepareOperation(getRoot(), monitor);
+ beginOperation(false);
+ saveManager.requestSnapshot();
+ message = Messages.resources_snapRequest;
+ return new ResourceStatus(IStatus.OK, message);
+ } finally {
+ endOperation(getRoot(), false, null);
+ }
+ }
+
+ public void setCrashed(boolean value) {
+ crashed = value;
+ if (crashed) {
+ String msg = "The workspace exited with unsaved changes in the previous session; refreshing workspace to recover changes."; //$NON-NLS-1$
+ Policy.log(new ResourceStatus(ICoreConstants.CRASH_DETECTED, msg));
+ if (Policy.DEBUG)
+ System.out.println(msg);
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ */
+ public void setDescription(IWorkspaceDescription value) {
+ // if both the old and new description's build orders are null, leave the
+ // workspace's build order slot because it is caching the computed order.
+ // Otherwise, set the slot to null to force recomputing or building from the description.
+ WorkspaceDescription newDescription = (WorkspaceDescription) value;
+ String[] newOrder = newDescription.getBuildOrder(false);
+ if (description.getBuildOrder(false) != null || newOrder != null)
+ buildOrder = null;
+ description.copyFrom(newDescription);
+ ResourcesPlugin.getPlugin().savePluginPreferences();
+ }
+
+ public void setTreeLocked(boolean locked) {
+ Assert.isTrue(!locked || treeLocked == null, "The workspace tree is already locked"); //$NON-NLS-1$
+ treeLocked = locked ? Thread.currentThread() : null;
+ }
+
+ /**
+ * @deprecated
+ */
+ public void setWorkspaceLock(WorkspaceLock lock) {
+ // do nothing
+ }
+
+ /**
+ * Shuts down the workspace managers.
+ */
+ protected void shutdown(IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ IManager[] managers = {buildManager, propertyManager, pathVariableManager, charsetManager, fileSystemManager, markerManager, _workManager, aliasManager, refreshManager, contentDescriptionManager};
+ monitor.beginTask("", managers.length); //$NON-NLS-1$
+ String message = Messages.resources_shutdownProblems;
+ MultiStatus status = new MultiStatus(ResourcesPlugin.PI_RESOURCES, IResourceStatus.INTERNAL_ERROR, message, null);
+ // best effort to shutdown every object and free resources
+ for (int i = 0; i < managers.length; i++) {
+ IManager manager = managers[i];
+ if (manager == null)
+ monitor.worked(1);
+ else {
+ try {
+ manager.shutdown(Policy.subMonitorFor(monitor, 1));
+ } catch (Exception e) {
+ message = Messages.resources_shutdownProblems;
+ status.add(new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, IResourceStatus.INTERNAL_ERROR, message, e));
+ }
+ }
+ }
+ buildManager = null;
+ notificationManager = null;
+ propertyManager = null;
+ pathVariableManager = null;
+ fileSystemManager = null;
+ markerManager = null;
+ synchronizer = null;
+ saveManager = null;
+ _workManager = null;
+ aliasManager = null;
+ refreshManager = null;
+ charsetManager = null;
+ contentDescriptionManager = null;
+ if (!status.isOK())
+ throw new CoreException(status);
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#sortNatureSet(String[])
+ */
+ public String[] sortNatureSet(String[] natureIds) {
+ return natureManager.sortNatureSet(natureIds);
+ }
+
+ /**
+ * Starts all the workspace manager classes.
+ */
+ protected void startup(IProgressMonitor monitor) throws CoreException {
+ // ensure the tree is locked during the startup notification
+ try {
+ _workManager = new WorkManager(this);
+ _workManager.startup(null);
+ fileSystemManager = new FileSystemResourceManager(this);
+ fileSystemManager.startup(monitor);
+ pathVariableManager = new PathVariableManager();
+ pathVariableManager.startup(null);
+ natureManager = new NatureManager();
+ natureManager.startup(null);
+ buildManager = new BuildManager(this, getWorkManager().getLock());
+ buildManager.startup(null);
+ notificationManager = new NotificationManager(this);
+ notificationManager.startup(null);
+ markerManager = new MarkerManager(this);
+ markerManager.startup(null);
+ synchronizer = new Synchronizer(this);
+ refreshManager = new RefreshManager(this);
+ saveManager = new SaveManager(this);
+ saveManager.startup(null);
+ //must start after save manager, because (read) access to tree is needed
+ refreshManager.startup(null);
+ aliasManager = new AliasManager(this);
+ aliasManager.startup(null);
+ propertyManager = ResourcesCompatibilityHelper.createPropertyManager();
+ propertyManager.startup(monitor);
+ charsetManager = new CharsetManager(this);
+ charsetManager.startup(null);
+ contentDescriptionManager = new ContentDescriptionManager();
+ contentDescriptionManager.startup(null);
+ } finally {
+ //unlock tree even in case of failure, otherwise shutdown will also fail
+ treeLocked = null;
+ _workManager.postWorkspaceStartup();
+ }
+ }
+
+ /**
+ * Returns a string representation of this working state's
+ * structure suitable for debug purposes.
+ */
+ public String toDebugString() {
+ final StringBuffer buffer = new StringBuffer("\nDump of " + toString() + ":\n"); //$NON-NLS-1$ //$NON-NLS-2$
+ buffer.append(" parent: " + tree.getParent()); //$NON-NLS-1$
+ IElementContentVisitor visitor = new IElementContentVisitor() {
+ public boolean visitElement(ElementTree aTree, IPathRequestor requestor, Object elementContents) {
+ buffer.append("\n " + requestor.requestPath() + ": " + elementContents); //$NON-NLS-1$ //$NON-NLS-2$
+ return true;
+ }
+ };
+ new ElementTreeIterator(tree, Path.ROOT).iterate(visitor);
+ return buffer.toString();
+ }
+
+ public void updateModificationStamp(ResourceInfo info) {
+ info.incrementModificationStamp();
+ }
+
+ /* (non-javadoc)
+ * @see IWorkspace#validateEdit(IFile[], Object)
+ */
+ public IStatus validateEdit(final IFile[] files, final Object context) {
+ // if validation is turned off then just return
+ if (!shouldValidate) {
+ String message = Messages.resources_readOnly2;
+ MultiStatus result = new MultiStatus(ResourcesPlugin.PI_RESOURCES, IResourceStatus.READ_ONLY_LOCAL, message, null);
+ for (int i = 0; i < files.length; i++) {
+ if (files[i].isReadOnly()) {
+ IPath filePath = files[i].getFullPath();
+ message = NLS.bind(Messages.resources_readOnly, filePath);
+ result.add(new ResourceStatus(IResourceStatus.READ_ONLY_LOCAL, filePath, message));
+ }
+ }
+ return result.getChildren().length == 0 ? Status.OK_STATUS : (IStatus) result;
+ }
+ // first time through the validator hasn't been initialized so try and create it
+ if (validator == null)
+ initializeValidator();
+ // we were unable to initialize the validator. Validation has been turned off and
+ // a warning has already been logged so just return.
+ if (validator == null)
+ return Status.OK_STATUS;
+ // otherwise call the API and throw an exception if appropriate
+ final IStatus[] status = new IStatus[1];
+ ISafeRunnable body = new ISafeRunnable() {
+ public void handleException(Throwable exception) {
+ status[0] = new ResourceStatus(IStatus.ERROR, null, Messages.resources_errorValidator, exception);
+ }
+
+ public void run() throws Exception {
+ Object c = context;
+ //must null any reference to FileModificationValidationContext for backwards compatibility
+ if (!(validator instanceof FileModificationValidator))
+ if (c instanceof FileModificationValidationContext)
+ c = null;
+ status[0] = validator.validateEdit(files, c);
+ }
+ };
+ SafeRunner.run(body);
+ return status[0];
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validateLinkLocation(IResource, IPath)
+ */
+ public IStatus validateLinkLocation(IResource resource, IPath unresolvedLocation) {
+ return locationValidator.validateLinkLocation(resource, unresolvedLocation);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validateLinkLocation(IResource, IPath)
+ */
+ public IStatus validateLinkLocationURI(IResource resource, URI unresolvedLocation) {
+ return locationValidator.validateLinkLocationURI(resource, unresolvedLocation);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validateName(String, int)
+ */
+ public IStatus validateName(String segment, int type) {
+ return locationValidator.validateName(segment, type);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validateNatureSet(String[])
+ */
+ public IStatus validateNatureSet(String[] natureIds) {
+ return natureManager.validateNatureSet(natureIds);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validatePath(String, int)
+ */
+ public IStatus validatePath(String path, int type) {
+ return locationValidator.validatePath(path, type);
+ }
+
+ /* (non-Javadoc)
+ * @see IWorkspace#validateProjectLocation(IProject, IPath)
+ */
+ public IStatus validateProjectLocation(IProject context, IPath location) {
+ return locationValidator.validateProjectLocation(context, location);
+ }
+
+ /*
+ * (non-Javadoc)
+ * @see org.eclipse.core.resources.IWorkspace#validateProjectLocation(org.eclipse.core.resources.IProject, java.net.URI)
+ */
+ public IStatus validateProjectLocationURI(IProject project, URI location) {
+ return locationValidator.validateProjectLocationURI(project, location);
+ }
+
+ /**
+ * Internal method. To be called only from the following methods:
+ *
+ * IFile#appendContents
+ * IFile#setContents(InputStream, boolean, boolean, IProgressMonitor)
+ * IFile#setContents(IFileState, boolean, boolean, IProgressMonitor)
+ *
+ *
+ * @see IFileModificationValidator#validateSave(IFile)
+ */
+ protected void validateSave(final IFile file) throws CoreException {
+ // if validation is turned off then just return
+ if (!shouldValidate)
+ return;
+ // first time through the validator hasn't been initialized so try and create it
+ if (validator == null)
+ initializeValidator();
+ // we were unable to initialize the validator. Validation has been turned off and
+ // a warning has already been logged so just return.
+ if (validator == null)
+ return;
+ // otherwise call the API and throw an exception if appropriate
+ final IStatus[] status = new IStatus[1];
+ ISafeRunnable body = new ISafeRunnable() {
+ public void handleException(Throwable exception) {
+ status[0] = new ResourceStatus(IStatus.ERROR, null, Messages.resources_errorValidator, exception);
+ }
+
+ public void run() throws Exception {
+ status[0] = validator.validateSave(file);
+ }
+ };
+ SafeRunner.run(body);
+ if (!status[0].isOK())
+ throw new ResourceException(status[0]);
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceDescription.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceDescription.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,172 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import org.eclipse.core.resources.IWorkspaceDescription;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.runtime.preferences.DefaultScope;
+import org.eclipse.core.runtime.preferences.IEclipsePreferences;
+
+/**
+ * @see IWorkspaceDescription
+ */
+public class WorkspaceDescription extends ModelObject implements IWorkspaceDescription {
+ protected boolean autoBuilding;
+ protected String[] buildOrder;
+ // thread safety: (Concurrency004)
+ protected volatile long fileStateLongevity;
+ protected int maxBuildIterations;
+ protected int maxFileStates;
+ // thread safety: (Concurrency004)
+ protected volatile long maxFileStateSize;
+ // thread safety: (Concurrency004)
+ private volatile long snapshotInterval;
+ protected int operationsPerSnapshot;
+ protected long deltaExpiration;
+
+ public WorkspaceDescription(String name) {
+ super(name);
+ // initialize based on the values in the default preferences
+ IEclipsePreferences node = new DefaultScope().getNode(ResourcesPlugin.PI_RESOURCES);
+ autoBuilding = node.getBoolean(ResourcesPlugin.PREF_AUTO_BUILDING, PreferenceInitializer.PREF_AUTO_BUILDING_DEFAULT);
+ fileStateLongevity = node.getLong(ResourcesPlugin.PREF_FILE_STATE_LONGEVITY, PreferenceInitializer.PREF_FILE_STATE_LONGEVITY_DEFAULT);
+ maxBuildIterations = node.getInt(ResourcesPlugin.PREF_MAX_BUILD_ITERATIONS, PreferenceInitializer.PREF_MAX_BUILD_ITERATIONS_DEFAULT);
+ maxFileStates = node.getInt(ResourcesPlugin.PREF_MAX_FILE_STATES, PreferenceInitializer.PREF_MAX_FILE_STATES_DEFAULT);
+ maxFileStateSize = node.getLong(ResourcesPlugin.PREF_MAX_FILE_STATE_SIZE, PreferenceInitializer.PREF_MAX_FILE_STATE_SIZE_DEFAULT);
+ snapshotInterval = node.getLong(ResourcesPlugin.PREF_SNAPSHOT_INTERVAL, PreferenceInitializer.PREF_SNAPSHOT_INTERVAL_DEFAULT);
+ operationsPerSnapshot = node.getInt(PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT, PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT_DEFAULT);
+ deltaExpiration = node.getLong(PreferenceInitializer.PREF_DELTA_EXPIRATION, PreferenceInitializer.PREF_DELTA_EXPIRATION_DEFAULT);
+ }
+
+ /**
+ * @see IWorkspaceDescription#getBuildOrder()
+ */
+ public String[] getBuildOrder() {
+ return getBuildOrder(true);
+ }
+
+ public String[] getBuildOrder(boolean makeCopy) {
+ if (buildOrder == null)
+ return null;
+ return makeCopy ? (String[]) buildOrder.clone() : buildOrder;
+ }
+
+ public long getDeltaExpiration() {
+ return deltaExpiration;
+ }
+
+ public void setDeltaExpiration(long value) {
+ deltaExpiration = value;
+ }
+
+ /**
+ * @see IWorkspaceDescription#getFileStateLongevity()
+ */
+ public long getFileStateLongevity() {
+ return fileStateLongevity;
+ }
+
+ /**
+ * @see IWorkspaceDescription#getMaxBuildIterations()
+ */
+ public int getMaxBuildIterations() {
+ return maxBuildIterations;
+ }
+
+ /**
+ * @see IWorkspaceDescription#getMaxFileStates()
+ */
+ public int getMaxFileStates() {
+ return maxFileStates;
+ }
+
+ /**
+ * @see IWorkspaceDescription#getMaxFileStateSize()
+ */
+ public long getMaxFileStateSize() {
+ return maxFileStateSize;
+ }
+
+ public int getOperationsPerSnapshot() {
+ return operationsPerSnapshot;
+ }
+
+ /**
+ * @see IWorkspaceDescription#getSnapshotInterval()
+ */
+ public long getSnapshotInterval() {
+ return snapshotInterval;
+ }
+
+ public void internalSetBuildOrder(String[] value) {
+ buildOrder = value;
+ }
+
+ /**
+ * @see IWorkspaceDescription#isAutoBuilding()
+ */
+ public boolean isAutoBuilding() {
+ return autoBuilding;
+ }
+
+ public void setOperationsPerSnapshot(int value) {
+ operationsPerSnapshot = value;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setAutoBuilding(boolean)
+ */
+ public void setAutoBuilding(boolean value) {
+ autoBuilding = value;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setBuildOrder(String[])
+ */
+ public void setBuildOrder(String[] value) {
+ buildOrder = (value == null) ? null : (String[]) value.clone();
+ }
+
+ /**
+ * @see IWorkspaceDescription#setFileStateLongevity(long)
+ */
+ public void setFileStateLongevity(long time) {
+ fileStateLongevity = time;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setMaxBuildIterations(int)
+ */
+ public void setMaxBuildIterations(int number) {
+ maxBuildIterations = number;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setMaxFileStates(int)
+ */
+ public void setMaxFileStates(int number) {
+ maxFileStates = number;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setMaxFileStateSize(long)
+ */
+ public void setMaxFileStateSize(long size) {
+ maxFileStateSize = size;
+ }
+
+ /**
+ * @see IWorkspaceDescription#setSnapshotInterval(long)
+ */
+ public void setSnapshotInterval(long snapshotInterval) {
+ this.snapshotInterval = snapshotInterval;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceDescriptionReader.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceDescriptionReader.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,163 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.io.IOException;
+import java.io.InputStream;
+import java.util.ArrayList;
+import java.util.List;
+import javax.xml.parsers.*;
+import org.eclipse.core.internal.localstore.SafeFileInputStream;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.resources.IResourceStatus;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.osgi.util.NLS;
+import org.w3c.dom.*;
+import org.xml.sax.SAXException;
+
+/**
+ * This class contains legacy code only. It is being used to read workspace
+ * descriptions which are obsolete.
+ */
+public class WorkspaceDescriptionReader implements IModelObjectConstants {
+ /** constants */
+ protected static final String[] EMPTY_STRING_ARRAY = new String[0];
+
+ public WorkspaceDescriptionReader() {
+ super();
+ }
+
+ protected String getString(Node target, String tagName) {
+ Node node = searchNode(target, tagName);
+ return node != null ? (node.getFirstChild() == null ? null : node.getFirstChild().getNodeValue()) : null;
+ }
+
+ protected String[] getStrings(Node target) {
+ if (target == null)
+ return null;
+ NodeList list = target.getChildNodes();
+ if (list.getLength() == 0)
+ return EMPTY_STRING_ARRAY;
+ List result = new ArrayList(list.getLength());
+ for (int i = 0; i < list.getLength(); i++) {
+ Node node = list.item(i);
+ if (node.getNodeType() == Node.ELEMENT_NODE)
+ result.add(read(node.getChildNodes().item(0)));
+ }
+ return (String[]) result.toArray(new String[result.size()]);
+ }
+
+ /**
+ * A value was discovered in the workspace description file that was not a number.
+ * Log the exception.
+ */
+ private void logNumberFormatException(String value, NumberFormatException e) {
+ String msg = NLS.bind(Messages.resources_readWorkspaceMetaValue, value);
+ Policy.log(new ResourceStatus(IResourceStatus.FAILED_READ_METADATA, null, msg, e));
+ }
+
+ public Object read(InputStream input) {
+ try {
+ DocumentBuilder parser = DocumentBuilderFactory.newInstance().newDocumentBuilder();
+ Document document = parser.parse(input);
+ return read(document.getFirstChild());
+ } catch (IOException e) {
+ // ignore
+ } catch (SAXException e) {
+ // ignore
+ } catch (ParserConfigurationException e) {
+ // ignore
+ }
+ return null;
+ }
+
+ public Object read(IPath location, IPath tempLocation) throws IOException {
+ SafeFileInputStream file = new SafeFileInputStream(location.toOSString(), tempLocation.toOSString());
+ try {
+ return read(file);
+ } finally {
+ file.close();
+ }
+ }
+
+ protected Object read(Node node) {
+ if (node == null)
+ return null;
+ switch (node.getNodeType()) {
+ case Node.ELEMENT_NODE :
+ if (node.getNodeName().equals(WORKSPACE_DESCRIPTION))
+ return readWorkspaceDescription(node);
+ case Node.TEXT_NODE :
+ String value = node.getNodeValue();
+ return value == null ? null : value.trim();
+ default :
+ return node.toString();
+ }
+ }
+
+ /**
+ * read (String, String) hashtables
+ */
+ protected WorkspaceDescription readWorkspaceDescription(Node node) {
+ // get values
+ String name = getString(node, NAME);
+ String autobuild = getString(node, AUTOBUILD);
+ String snapshotInterval = getString(node, SNAPSHOT_INTERVAL);
+ String fileStateLongevity = getString(node, FILE_STATE_LONGEVITY);
+ String maxFileStateSize = getString(node, MAX_FILE_STATE_SIZE);
+ String maxFileStates = getString(node, MAX_FILE_STATES);
+ String[] buildOrder = getStrings(searchNode(node, BUILD_ORDER));
+
+ // build instance
+ //invalid values are skipped and defaults are used instead
+ WorkspaceDescription description = new WorkspaceDescription(name);
+ if (autobuild != null)
+ //if in doubt (value is corrupt) we want autobuild on
+ description.setAutoBuilding(!autobuild.equals(Integer.toString(0)));
+ try {
+ if (fileStateLongevity != null)
+ description.setFileStateLongevity(Long.parseLong(fileStateLongevity));
+ } catch (NumberFormatException e) {
+ logNumberFormatException(fileStateLongevity, e);
+ }
+ try {
+ if (maxFileStateSize != null)
+ description.setMaxFileStateSize(Long.parseLong(maxFileStateSize));
+ } catch (NumberFormatException e) {
+ logNumberFormatException(maxFileStateSize, e);
+ }
+ try {
+ if (maxFileStates != null)
+ description.setMaxFileStates(Integer.parseInt(maxFileStates));
+ } catch (NumberFormatException e) {
+ logNumberFormatException(maxFileStates, e);
+ }
+ if (buildOrder != null)
+ description.internalSetBuildOrder(buildOrder);
+ try {
+ if (snapshotInterval != null)
+ description.setSnapshotInterval(Long.parseLong(snapshotInterval));
+ } catch (NumberFormatException e) {
+ logNumberFormatException(snapshotInterval, e);
+ }
+ return description;
+ }
+
+ protected Node searchNode(Node target, String tagName) {
+ NodeList list = target.getChildNodes();
+ for (int i = 0; i < list.getLength(); i++) {
+ if (list.item(i).getNodeName().equals(tagName))
+ return list.item(i);
+ }
+ return null;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspacePreferences.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspacePreferences.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,231 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.util.*;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.runtime.Preferences;
+import org.eclipse.core.runtime.Preferences.PropertyChangeEvent;
+
+/**
+ * This class provides the same interface as WorkspaceDescription
+ * but instead of changing/obtaining values from its internal state, it
+ * changes/obtains properties in/from the workspace plug-in's preferences.
+ *
+ * Note: for performance reasons, some frequently called accessor methods are
+ * reading a cached value from the super class instead of reading the
+ * corresponding property preference store. To keep the cache synchronized with
+ * the preference store, a property change listener is used.
+ */
+
+public class WorkspacePreferences extends WorkspaceDescription {
+
+ public final static String PROJECT_SEPARATOR = "/"; //$NON-NLS-1$
+
+ private Preferences preferences;
+
+ /**
+ * Helper method that converts a string string array {"string1","
+ * string2",..."stringN"} to a string in the form "string1,string2,...
+ * stringN".
+ */
+ public static String convertStringArraytoString(String[] array) {
+ if (array == null || array.length == 0)
+ return ""; //$NON-NLS-1$
+ StringBuffer sb = new StringBuffer();
+ for (int i = 0; i < array.length; i++) {
+ sb.append(array[i]);
+ sb.append(PROJECT_SEPARATOR);
+ }
+ sb.deleteCharAt(sb.length() - 1);
+ return sb.toString();
+ }
+
+ /**
+ * Helper method that converts a string in the form "string1,string2,...
+ * stringN" to a string array {"string1","string2",..."stringN"}.
+ */
+ public static String[] convertStringToStringArray(String string, String separator) {
+ List list = new ArrayList();
+ for (StringTokenizer tokenizer = new StringTokenizer(string, separator); tokenizer.hasMoreTokens();)
+ list.add(tokenizer.nextToken());
+ return (String[]) list.toArray(new String[list.size()]);
+ }
+
+ /**
+ * Helper method that copies all attributes from a workspace description
+ * object to another.
+ */
+ private static void copyFromTo(WorkspaceDescription source, WorkspaceDescription target) {
+ target.setAutoBuilding(source.isAutoBuilding());
+ target.setBuildOrder(source.getBuildOrder());
+ target.setFileStateLongevity(source.getFileStateLongevity());
+ target.setMaxBuildIterations(source.getMaxBuildIterations());
+ target.setMaxFileStates(source.getMaxFileStates());
+ target.setMaxFileStateSize(source.getMaxFileStateSize());
+ target.setSnapshotInterval(source.getSnapshotInterval());
+ target.setOperationsPerSnapshot(source.getOperationsPerSnapshot());
+ target.setDeltaExpiration(source.getDeltaExpiration());
+ }
+
+ public WorkspacePreferences() {
+ super("Workspace"); //$NON-NLS-1$
+ this.preferences = ResourcesPlugin.getPlugin().getPluginPreferences();
+
+ final String version = preferences.getString(ICoreConstants.PREF_VERSION_KEY);
+ if (!ICoreConstants.PREF_VERSION.equals(version))
+ upgradeVersion(version);
+
+ // initialize cached preferences (for better performance)
+ super.setAutoBuilding(preferences.getBoolean(ResourcesPlugin.PREF_AUTO_BUILDING));
+ super.setSnapshotInterval(preferences.getInt(ResourcesPlugin.PREF_SNAPSHOT_INTERVAL));
+ super.setMaxBuildIterations(preferences.getInt(ResourcesPlugin.PREF_MAX_BUILD_ITERATIONS));
+ super.setMaxFileStates(preferences.getInt(ResourcesPlugin.PREF_MAX_FILE_STATES));
+ super.setMaxFileStateSize(preferences.getLong(ResourcesPlugin.PREF_MAX_FILE_STATE_SIZE));
+ super.setFileStateLongevity(preferences.getLong(ResourcesPlugin.PREF_FILE_STATE_LONGEVITY));
+ super.setOperationsPerSnapshot(preferences.getInt(PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT));
+ super.setDeltaExpiration(preferences.getLong(PreferenceInitializer.PREF_DELTA_EXPIRATION));
+
+ // This property listener ensures we are being updated properly when changes
+ // are done directly to the preference store.
+ preferences.addPropertyChangeListener(new Preferences.IPropertyChangeListener() {
+ public void propertyChange(PropertyChangeEvent event) {
+ synchronizeWithPreferences(event.getProperty());
+ }
+ });
+ }
+
+ public Object clone() {
+ // should never be called - throws an exception to avoid using a
+ // WorkspacePreferences when using WorkspaceDescription was the real
+ // intention (this class offers a different protocol for copying state).
+ throw new UnsupportedOperationException("clone() is not supported in " + getClass().getName()); //$NON-NLS-1$
+ }
+
+ public void copyFrom(WorkspaceDescription source) {
+ copyFromTo(source, this);
+ }
+
+ public void copyTo(WorkspaceDescription target) {
+ copyFromTo(this, target);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#getBuildOrder()
+ */
+ public String[] getBuildOrder() {
+ boolean defaultBuildOrder = preferences.getBoolean(ResourcesPlugin.PREF_DEFAULT_BUILD_ORDER);
+ if (defaultBuildOrder)
+ return null;
+ return convertStringToStringArray(preferences.getString(ResourcesPlugin.PREF_BUILD_ORDER), PROJECT_SEPARATOR);
+ }
+
+ /**
+ * @see org.eclipse.core.internal.resources.
+ * WorkspaceDescription#getBuildOrder(boolean)
+ */
+ public String[] getBuildOrder(boolean makeCopy) {
+ //note that since this is stored in the preference store, we are creating
+ //a new copy of the string array on every access anyway
+ return getBuildOrder();
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setAutoBuilding(boolean)
+ */
+ public void setAutoBuilding(boolean value) {
+ preferences.setValue(ResourcesPlugin.PREF_AUTO_BUILDING, value);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setBuildOrder(String[])
+ */
+ public void setBuildOrder(String[] value) {
+ preferences.setValue(ResourcesPlugin.PREF_DEFAULT_BUILD_ORDER, value == null);
+ preferences.setValue(ResourcesPlugin.PREF_BUILD_ORDER, convertStringArraytoString(value));
+ }
+
+ public void setDeltaExpiration(long value) {
+ preferences.setValue(PreferenceInitializer.PREF_DELTA_EXPIRATION, value);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setFileStateLongevity(long)
+ */
+ public void setFileStateLongevity(long time) {
+ preferences.setValue(ResourcesPlugin.PREF_FILE_STATE_LONGEVITY, time);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setMaxBuildIterations(int)
+ */
+ public void setMaxBuildIterations(int number) {
+ preferences.setValue(ResourcesPlugin.PREF_MAX_BUILD_ITERATIONS, number);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setMaxFileStates(int)
+ */
+ public void setMaxFileStates(int number) {
+ preferences.setValue(ResourcesPlugin.PREF_MAX_FILE_STATES, number);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setMaxFileStateSize(long)
+ */
+ public void setMaxFileStateSize(long size) {
+ preferences.setValue(ResourcesPlugin.PREF_MAX_FILE_STATE_SIZE, size);
+ }
+
+ public void setOperationsPerSnapshot(int value) {
+ preferences.setValue(PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT, value);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceDescription#setSnapshotInterval(long)
+ */
+ public void setSnapshotInterval(long delay) {
+ preferences.setValue(ResourcesPlugin.PREF_SNAPSHOT_INTERVAL, delay);
+ }
+
+ protected void synchronizeWithPreferences(String property) {
+ // do not use the value in the event - may be a string instead
+ // of the expected type. Retrieve it from the preferences store
+ // using the type-specific method
+ if (property.equals(ResourcesPlugin.PREF_AUTO_BUILDING))
+ super.setAutoBuilding(preferences.getBoolean(ResourcesPlugin.PREF_AUTO_BUILDING));
+ else if (property.equals(ResourcesPlugin.PREF_SNAPSHOT_INTERVAL))
+ super.setSnapshotInterval(preferences.getLong(ResourcesPlugin.PREF_SNAPSHOT_INTERVAL));
+ else if (property.equals(ResourcesPlugin.PREF_MAX_BUILD_ITERATIONS))
+ super.setMaxBuildIterations(preferences.getInt(ResourcesPlugin.PREF_MAX_BUILD_ITERATIONS));
+ else if (property.equals(ResourcesPlugin.PREF_MAX_FILE_STATES))
+ super.setMaxFileStates(preferences.getInt(ResourcesPlugin.PREF_MAX_FILE_STATES));
+ else if (property.equals(ResourcesPlugin.PREF_MAX_FILE_STATE_SIZE))
+ super.setMaxFileStateSize(preferences.getLong(ResourcesPlugin.PREF_MAX_FILE_STATE_SIZE));
+ else if (property.equals(ResourcesPlugin.PREF_FILE_STATE_LONGEVITY))
+ super.setFileStateLongevity(preferences.getLong(ResourcesPlugin.PREF_FILE_STATE_LONGEVITY));
+ else if (property.equals(PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT))
+ super.setOperationsPerSnapshot(preferences.getInt(PreferenceInitializer.PREF_OPERATIONS_PER_SNAPSHOT));
+ else if (property.equals(PreferenceInitializer.PREF_DELTA_EXPIRATION))
+ super.setDeltaExpiration(preferences.getLong(PreferenceInitializer.PREF_DELTA_EXPIRATION));
+ }
+
+ private void upgradeVersion(String oldVersion) {
+ if (oldVersion.length() == 0) {
+ //only need to convert the build order if we are not using the default order
+ if (!preferences.getBoolean(ResourcesPlugin.PREF_DEFAULT_BUILD_ORDER)) {
+ String oldOrder = preferences.getString(ResourcesPlugin.PREF_BUILD_ORDER);
+ setBuildOrder(convertStringToStringArray(oldOrder, ":")); //$NON-NLS-1$
+ }
+ }
+ preferences.setValue(ICoreConstants.PREF_VERSION_KEY, ICoreConstants.PREF_VERSION);
+ }
+}
\ No newline at end of file
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceRoot.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceRoot.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,349 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+
+import java.net.URI;
+import java.util.*;
+import org.eclipse.core.filesystem.URIUtil;
+import org.eclipse.core.internal.utils.FileUtil;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+public class WorkspaceRoot extends Container implements IWorkspaceRoot {
+ /**
+ * As an optimization, we store a table of project handles
+ * that have been requested from this root. This maps project
+ * name strings to project handles.
+ */
+ private final Map projectTable = Collections.synchronizedMap(new HashMap(16));
+
+ /**
+ * Cache of the canonicalized platform location.
+ */
+ private final IPath workspaceLocation;
+
+ protected WorkspaceRoot(IPath path, Workspace container) {
+ super(path, container);
+ Assert.isTrue(path.equals(Path.ROOT));
+ workspaceLocation = FileUtil.canonicalPath(Platform.getLocation());
+ Assert.isNotNull(workspaceLocation);
+ }
+
+ /**
+ * @see IWorkspaceRoot#delete(boolean, boolean, IProgressMonitor)
+ */
+ public void delete(boolean deleteContent, boolean force, IProgressMonitor monitor) throws CoreException {
+ int updateFlags = force ? IResource.FORCE : IResource.NONE;
+ updateFlags |= deleteContent ? IResource.ALWAYS_DELETE_PROJECT_CONTENT : IResource.NEVER_DELETE_PROJECT_CONTENT;
+ delete(updateFlags, monitor);
+ }
+
+ /**
+ * @see org.eclipse.core.internal.resources.Resource#delete(boolean, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public void delete(boolean force, IProgressMonitor monitor) throws CoreException {
+ int updateFlags = force ? IResource.FORCE : IResource.NONE;
+ delete(updateFlags, monitor);
+ }
+
+ /**
+ * @see org.eclipse.core.internal.resources.Resource#exists(int, boolean)
+ */
+ public boolean exists(int flags, boolean checkType) {
+ return true;
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findContainersForLocation(org.eclipse.core.runtime.IPath)
+ * @deprecated
+ */
+ public IContainer[] findContainersForLocation(IPath location) {
+ return findContainersForLocationURI(URIUtil.toURI(location.makeAbsolute()));
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findContainersForLocationURI(java.net.URI)
+ */
+ public IContainer[] findContainersForLocationURI(URI location) {
+ return findContainersForLocationURI(location, NONE);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findContainersForLocationURI(java.net.URI, int)
+ */
+ public IContainer[] findContainersForLocationURI(URI location, int memberFlags) {
+ if (!location.isAbsolute())
+ throw new IllegalArgumentException();
+ return (IContainer[]) getLocalManager().allResourcesFor(location, false, memberFlags);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findFilesForLocation(org.eclipse.core.runtime.IPath)
+ * @deprecated
+ */
+ public IFile[] findFilesForLocation(IPath location) {
+ return findFilesForLocationURI(URIUtil.toURI(location.makeAbsolute()));
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findFilesForLocationURI(java.net.URI)
+ */
+ public IFile[] findFilesForLocationURI(URI location) {
+ return findFilesForLocationURI(location, NONE);
+ }
+
+ /**
+ * @see org.eclipse.core.resources.IWorkspaceRoot#findFilesForLocationURI(java.net.URI, int)
+ */
+ public IFile[] findFilesForLocationURI(URI location, int memberFlags) {
+ if (!location.isAbsolute())
+ throw new IllegalArgumentException();
+ return (IFile[]) getLocalManager().allResourcesFor(location, true, memberFlags);
+ }
+
+ /**
+ * @see IWorkspaceRoot#getContainerForLocation(IPath)
+ */
+ public IContainer getContainerForLocation(IPath location) {
+ return getLocalManager().containerForLocation(location);
+ }
+
+ /**
+ * @see IContainer#getDefaultCharset(boolean)
+ */
+ public String getDefaultCharset(boolean checkImplicit) {
+ if (checkImplicit)
+ return ResourcesPlugin.getEncoding();
+ String enc = ResourcesPlugin.getPlugin().getPluginPreferences().getString(ResourcesPlugin.PREF_ENCODING);
+ return enc == null || enc.length() == 0 ? null : enc;
+ }
+
+ /**
+ * @see IWorkspaceRoot#getFileForLocation(IPath)
+ */
+ public IFile getFileForLocation(IPath location) {
+ return getLocalManager().fileForLocation(location);
+ }
+
+ /**
+ * @see IResource#getLocalTimeStamp()
+ */
+ public long getLocalTimeStamp() {
+ return IResource.NULL_STAMP;
+ }
+
+ /**
+ * @see IResource#getLocation()
+ */
+ public IPath getLocation() {
+ return workspaceLocation;
+ }
+
+ /**
+ * @see IResource#getName()
+ */
+ public String getName() {
+ return ""; //$NON-NLS-1$
+ }
+
+ /**
+ * @see IResource#getParent()
+ */
+ public IContainer getParent() {
+ return null;
+ }
+
+ /**
+ * @see IResource#getProject()
+ */
+ public IProject getProject() {
+ return null;
+ }
+
+ /**
+ * @see IWorkspaceRoot#getProject(String)
+ */
+ public IProject getProject(String name) {
+ //first check our project cache
+ Project result = (Project) projectTable.get(name);
+ if (result == null) {
+ IPath projectPath = new Path(null, name).makeAbsolute();
+ String message = "Path for project must have only one segment."; //$NON-NLS-1$
+ Assert.isLegal(projectPath.segmentCount() == ICoreConstants.PROJECT_SEGMENT_LENGTH, message);
+ //try to get the project using a canonical name
+ String canonicalName = projectPath.lastSegment();
+ result = (Project) projectTable.get(canonicalName);
+ if (result != null)
+ return result;
+ result = new Project(projectPath, workspace);
+ projectTable.put(canonicalName, result);
+ }
+ return result;
+ }
+
+ /**
+ * @see IResource#getProjectRelativePath()
+ */
+ public IPath getProjectRelativePath() {
+ return Path.EMPTY;
+ }
+
+ /**
+ * @see IWorkspaceRoot#getProjects()
+ */
+ public IProject[] getProjects() {
+ return getProjects(IResource.NONE);
+ }
+
+ /**
+ * @see IWorkspaceRoot#getProjects(int)
+ */
+ public IProject[] getProjects(int memberFlags) {
+ IResource[] roots = getChildren(memberFlags);
+ IProject[] result = new IProject[roots.length];
+ System.arraycopy(roots, 0, result, 0, roots.length);
+ return result;
+ }
+
+ /**
+ * @see IResource#getType()
+ */
+ public int getType() {
+ return IResource.ROOT;
+ }
+
+ public void internalSetLocal(boolean flag, int depth) throws CoreException {
+ // do nothing for the root, but call for its children
+ if (depth == IResource.DEPTH_ZERO)
+ return;
+ if (depth == IResource.DEPTH_ONE)
+ depth = IResource.DEPTH_ZERO;
+ // get the children via the workspace since we know that this
+ // resource exists (it is local).
+ IResource[] children = getChildren(IResource.NONE);
+ for (int i = 0; i < children.length; i++)
+ ((Resource) children[i]).internalSetLocal(flag, depth);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.internal.resources.Resource#isDerived(int)
+ */
+ public boolean isDerived(int options) {
+ return false;//the root is never derived
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.internal.resources.Resource#isHidden()
+ */
+ public boolean isHidden() {
+ return false;//the root is never hidden
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.internal.resources.Resource#isHidden(int)
+ */
+ public boolean isHidden(int options) {
+ return false;//the root is never hidden
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.internal.resources.Resource#isTeamPrivateMember(int)
+ */
+ public boolean isTeamPrivateMember(int options) {
+ return false;//the root is never a team private member
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.internal.resources.Resource#isLinked(int)
+ */
+ public boolean isLinked(int options) {
+ return false;//the root is never linked
+ }
+
+ /**
+ * @see IResource#isLocal(int)
+ * @deprecated
+ */
+ public boolean isLocal(int depth) {
+ // the flags parameter is ignored for the workspace root so pass anything
+ return isLocal(-1, depth);
+ }
+
+ /**
+ * @see IResource#isLocal(int)
+ * @deprecated
+ */
+ public boolean isLocal(int flags, int depth) {
+ // don't check the flags....workspace root is always local
+ if (depth == DEPTH_ZERO)
+ return true;
+ if (depth == DEPTH_ONE)
+ depth = DEPTH_ZERO;
+ // get the children via the workspace since we know that this
+ // resource exists (it is local).
+ IResource[] children = getChildren(IResource.NONE);
+ for (int i = 0; i < children.length; i++)
+ if (!children[i].isLocal(depth))
+ return false;
+ return true;
+ }
+
+ /**
+ * @see IResource#isPhantom()
+ */
+ public boolean isPhantom() {
+ return false;
+ }
+
+ /**
+ * @see IContainer#setDefaultCharset(String)
+ * @deprecated Replaced by {@link #setDefaultCharset(String, IProgressMonitor)} which
+ * is a workspace operation and reports changes in resource deltas.
+ */
+ public void setDefaultCharset(String charset) {
+ // directly change the Resource plugin's preference for encoding
+ Preferences resourcesPreferences = ResourcesPlugin.getPlugin().getPluginPreferences();
+ if (charset != null)
+ resourcesPreferences.setValue(ResourcesPlugin.PREF_ENCODING, charset);
+ else
+ resourcesPreferences.setToDefault(ResourcesPlugin.PREF_ENCODING);
+ }
+
+ public void setHidden(boolean isHidden) {
+ //workspace root cannot be set hidden
+ }
+
+ /**
+ * @see IResource#setLocalTimeStamp(long)
+ */
+ public long setLocalTimeStamp(long value) {
+ if (value < 0)
+ throw new IllegalArgumentException("Illegal time stamp: " + value); //$NON-NLS-1$
+ //can't set local time for root
+ return value;
+ }
+
+ /**
+ * @deprecated
+ * @see IResource#setReadOnly(boolean)
+ */
+ public void setReadOnly(boolean readonly) {
+ //can't set the root read only
+ }
+
+ /**
+ * @see IResource#touch(IProgressMonitor)
+ */
+ public void touch(IProgressMonitor monitor) {
+ // do nothing for the workspace root
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,58 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.io.DataInputStream;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.watson.ElementTree;
+import org.eclipse.core.resources.IProject;
+import org.eclipse.core.resources.IResourceStatus;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IProgressMonitor;
+import org.eclipse.osgi.util.NLS;
+
+/**
+ * Default tree reader that does not read anything. This is used in cases
+ * where the tree format is unknown (for example when opening a workspace
+ * from a future version).
+ */
+public abstract class WorkspaceTreeReader {
+ /**
+ * Returns the tree reader associated with the given tree version number
+ */
+ public static WorkspaceTreeReader getReader(Workspace workspace, int version) throws CoreException {
+ switch (version) {
+ case ICoreConstants.WORKSPACE_TREE_VERSION_1 :
+ return new WorkspaceTreeReader_1(workspace);
+ case ICoreConstants.WORKSPACE_TREE_VERSION_2 :
+ return new WorkspaceTreeReader_2(workspace);
+ default :
+ // Unknown tree version - fail to read the tree
+ String msg = NLS.bind(Messages.resources_format, new Integer(version));
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, null, msg, null);
+ }
+ }
+
+ /**
+ * Returns a snapshot from the stream. This default implementation does nothing.
+ */
+ public abstract ElementTree readSnapshotTree(DataInputStream input, ElementTree complete, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Reads all workspace trees from the stream. This default implementation does nothing.
+ */
+ public abstract void readTree(DataInputStream input, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Reads a project's trees from the stream. This default implementation does nothing.
+ */
+ public abstract void readTree(IProject project, DataInputStream input, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader_1.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader_1.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,260 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.io.*;
+import java.util.*;
+import org.eclipse.core.internal.events.BuilderPersistentInfo;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.internal.watson.ElementTree;
+import org.eclipse.core.internal.watson.ElementTreeReader;
+import org.eclipse.core.resources.IProject;
+import org.eclipse.core.resources.IResourceStatus;
+import org.eclipse.core.runtime.*;
+
+/**
+ * Reads version 1 of the workspace tree file format.
+ */
+public class WorkspaceTreeReader_1 extends WorkspaceTreeReader {
+ protected Workspace workspace;
+
+ public WorkspaceTreeReader_1(Workspace workspace) {
+ this.workspace = workspace;
+ }
+
+ protected int getVersion() {
+ return ICoreConstants.WORKSPACE_TREE_VERSION_1;
+ }
+
+ protected void linkBuildersToTrees(List buildersToBeLinked, ElementTree[] trees, int index, IProgressMonitor monitor) {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ ArrayList infos = null;
+ String projectName = null;
+ for (int i = 0; i < buildersToBeLinked.size(); i++) {
+ BuilderPersistentInfo info = (BuilderPersistentInfo) buildersToBeLinked.get(i);
+ if (!info.getProjectName().equals(projectName)) {
+ if (infos != null) { // if it is not the first iteration
+ IProject project = workspace.getRoot().getProject(projectName);
+ workspace.getBuildManager().setBuildersPersistentInfo(project, infos);
+ }
+ projectName = info.getProjectName();
+ infos = new ArrayList(5);
+ }
+ info.setLastBuildTree(trees[index++]);
+ infos.add(info);
+ }
+ if (infos != null) {
+ IProject project = workspace.getRoot().getProject(projectName);
+ workspace.getBuildManager().setBuildersPersistentInfo(project, infos);
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ protected void linkPluginsSavedStateToTrees(List states, ElementTree[] trees, IProgressMonitor monitor) {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ for (int i = 0; i < states.size(); i++) {
+ SavedState state = (SavedState) states.get(i);
+ // If the tree is too old (depends on the policy), the plug-in should not
+ // get it back as a delta. It is expensive to maintain this information too long.
+ final SaveManager saveManager = workspace.getSaveManager();
+ if (!saveManager.isOldPluginTree(state.pluginId)) {
+ state.oldTree = trees[i];
+ } else {
+ //clear information for this plugin from master table
+ saveManager.clearDeltaExpiration(state.pluginId);
+ }
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ protected BuilderPersistentInfo readBuilderInfo(IProject project, DataInputStream input, int index) throws IOException {
+ //read the project name
+ String projectName = input.readUTF();
+ //use the name of the project handle if available
+ if (project != null)
+ projectName = project.getName();
+ String builderName = input.readUTF();
+ return new BuilderPersistentInfo(projectName, builderName, index);
+ }
+
+ protected void readBuildersPersistentInfo(IProject project, DataInputStream input, List builders, IProgressMonitor monitor) throws IOException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ int builderCount = input.readInt();
+ for (int i = 0; i < builderCount; i++)
+ builders.add(readBuilderInfo(project, input, i));
+ } finally {
+ monitor.done();
+ }
+ }
+
+ protected void readPluginsSavedStates(DataInputStream input, HashMap savedStates, List plugins, IProgressMonitor monitor) throws IOException, CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ int stateCount = input.readInt();
+ for (int i = 0; i < stateCount; i++) {
+ String pluginId = input.readUTF();
+ SavedState state = new SavedState(workspace, pluginId, null, null);
+ savedStates.put(pluginId, state);
+ plugins.add(state);
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ public ElementTree readSnapshotTree(DataInputStream input, ElementTree complete, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ String message;
+ try {
+ message = Messages.resources_readingSnap;
+ monitor.beginTask(message, Policy.totalWork);
+ ElementTreeReader reader = new ElementTreeReader(workspace.getSaveManager());
+ while (input.available() > 0) {
+ readWorkspaceFields(input, Policy.subMonitorFor(monitor, Policy.totalWork / 2));
+ complete = reader.readDelta(complete, input);
+ try {
+ // make sure each snapshot is read by the correct reader
+ int version = input.readInt();
+ if (version != getVersion())
+ return WorkspaceTreeReader.getReader(workspace, version).readSnapshotTree(input, complete, monitor);
+ } catch (EOFException e) {
+ break;
+ }
+ }
+ return complete;
+ } catch (IOException e) {
+ message = Messages.resources_readWorkspaceSnap;
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, null, message, e);
+ } finally {
+ monitor.done();
+ }
+ }
+
+ public void readTree(DataInputStream input, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ String message;
+ try {
+ message = Messages.resources_reading;
+ monitor.beginTask(message, Policy.totalWork);
+ readWorkspaceFields(input, Policy.subMonitorFor(monitor, Policy.opWork * 20 / 100));
+
+ HashMap savedStates = new HashMap(20);
+ List pluginsToBeLinked = new ArrayList(20);
+ readPluginsSavedStates(input, savedStates, pluginsToBeLinked, Policy.subMonitorFor(monitor, Policy.opWork * 10 / 100));
+ workspace.getSaveManager().setPluginsSavedState(savedStates);
+
+ List buildersToBeLinked = new ArrayList(20);
+ readBuildersPersistentInfo(null, input, buildersToBeLinked, Policy.subMonitorFor(monitor, Policy.opWork * 10 / 100));
+
+ ElementTree[] trees = readTrees(Path.ROOT, input, Policy.subMonitorFor(monitor, Policy.opWork * 40 / 100));
+ linkPluginsSavedStateToTrees(pluginsToBeLinked, trees, Policy.subMonitorFor(monitor, Policy.opWork * 10 / 100));
+ linkBuildersToTrees(buildersToBeLinked, trees, pluginsToBeLinked.size(), Policy.subMonitorFor(monitor, Policy.opWork * 10 / 100));
+
+ } catch (IOException e) {
+ message = Messages.resources_readWorkspaceTree;
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, null, message, e);
+ } finally {
+ monitor.done();
+ }
+ }
+
+ public void readTree(IProject project, DataInputStream input, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ String message;
+ try {
+ message = Messages.resources_reading;
+ monitor.beginTask(message, 10);
+ /* read the number of builders */
+ int numBuilders = input.readInt();
+
+ /* read in the list of builder names */
+ String[] builderNames = new String[numBuilders];
+ for (int i = 0; i < numBuilders; i++) {
+ String builderName = input.readUTF();
+ builderNames[i] = builderName;
+ }
+ monitor.worked(1);
+
+ /* read and link the trees */
+ ElementTree[] trees = readTrees(project.getFullPath(), input, Policy.subMonitorFor(monitor, 8));
+
+ /* map builder names to trees */
+ if (numBuilders > 0) {
+ ArrayList infos = new ArrayList(trees.length * 2 + 1);
+ for (int i = 0; i < numBuilders; i++) {
+ BuilderPersistentInfo info = new BuilderPersistentInfo(project.getName(), builderNames[i], -1);
+ info.setLastBuildTree(trees[i]);
+ infos.add(info);
+ }
+ workspace.getBuildManager().setBuildersPersistentInfo(project, infos);
+ }
+ monitor.worked(1);
+
+ } catch (IOException e) {
+ message = Messages.resources_readProjectTree;
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, null, message, e);
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /**
+ * Read trees from disk and link them to the workspace tree.
+ */
+ protected ElementTree[] readTrees(IPath root, DataInputStream input, IProgressMonitor monitor) throws IOException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ String message = Messages.resources_reading;
+ monitor.beginTask(message, 4);
+ ElementTreeReader treeReader = new ElementTreeReader(workspace.getSaveManager());
+ ElementTree[] trees = treeReader.readDeltaChain(input);
+ monitor.worked(3);
+ if (root.isRoot()) {
+ //Don't need to link because we're reading the whole workspace.
+ //The last tree in the chain is the complete tree.
+ ElementTree newTree = trees[trees.length - 1];
+ newTree.setTreeData(workspace.tree.getTreeData());
+ workspace.tree = newTree;
+ } else {
+ //splice the restored tree into the current set of trees
+ workspace.linkTrees(root, trees);
+ }
+ monitor.worked(1);
+ return trees;
+ } finally {
+ monitor.done();
+ }
+ }
+
+ protected void readWorkspaceFields(DataInputStream input, IProgressMonitor monitor) throws IOException, CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ // read the node id
+ workspace.nextNodeId = input.readLong();
+ // read the modification stamp (no longer used)
+ input.readLong();
+ // read the next marker id
+ workspace.nextMarkerId = input.readLong();
+ // read the synchronizer's registered sync partners
+ ((Synchronizer) workspace.getSynchronizer()).readPartners(input);
+ } finally {
+ monitor.done();
+ }
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader_2.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/WorkspaceTreeReader_2.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,93 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.io.DataInputStream;
+import java.io.IOException;
+import java.util.ArrayList;
+import java.util.List;
+import org.eclipse.core.internal.events.BuilderPersistentInfo;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.internal.watson.ElementTree;
+import org.eclipse.core.resources.IProject;
+import org.eclipse.core.resources.IResourceStatus;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * Reads version 2 of the workspace tree file format.
+ *
+ * This version differs from version 1 in the amount of information that is persisted
+ * for each builder. Version 1 only stored builder names and trees. Version
+ * 2 stores builder names, project names, trees, and interesting projects for
+ * each builder.
+ */
+public class WorkspaceTreeReader_2 extends WorkspaceTreeReader_1 {
+
+ public WorkspaceTreeReader_2(Workspace workspace) {
+ super(workspace);
+ }
+
+ protected int getVersion() {
+ return ICoreConstants.WORKSPACE_TREE_VERSION_2;
+ }
+
+ /*
+ * overwritten from WorkspaceTreeReader_1
+ */
+ protected void readBuildersPersistentInfo(IProject project, DataInputStream input, List builders, IProgressMonitor monitor) throws IOException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ int builderCount = input.readInt();
+ for (int i = 0; i < builderCount; i++) {
+ BuilderPersistentInfo info = readBuilderInfo(project, input, i);
+ // read interesting projects
+ int n = input.readInt();
+ IProject[] projects = new IProject[n];
+ for (int j = 0; j < n; j++)
+ projects[j] = workspace.getRoot().getProject(input.readUTF());
+ info.setInterestingProjects(projects);
+ builders.add(info);
+ }
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /*
+ * overwritten from WorkspaceTreeReader_1
+ */
+ public void readTree(IProject project, DataInputStream input, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ String message;
+ try {
+ message = Messages.resources_reading;
+ monitor.beginTask(message, 10);
+
+ /* read in the builder infos */
+ List infos = new ArrayList(5);
+ readBuildersPersistentInfo(project, input, infos, Policy.subMonitorFor(monitor, 1));
+
+ /* read and link the trees */
+ ElementTree[] trees = readTrees(project.getFullPath(), input, Policy.subMonitorFor(monitor, 8));
+
+ /* map builder names to trees */
+ linkBuildersToTrees(infos, trees, 0, Policy.subMonitorFor(monitor, 1));
+
+ } catch (IOException e) {
+ message = Messages.resources_readProjectTree;
+ throw new ResourceException(IResourceStatus.FAILED_READ_METADATA, null, message, e);
+ } finally {
+ monitor.done();
+ }
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/XMLWriter.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/XMLWriter.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,120 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources;
+
+import java.io.*;
+import java.util.HashMap;
+import java.util.Iterator;
+
+/**
+ * A simple XML writer.
+ */
+public class XMLWriter extends PrintWriter {
+ protected int tab;
+
+ /* constants */
+ protected static final String XML_VERSION = ""; //$NON-NLS-1$
+
+ public XMLWriter(OutputStream output) throws UnsupportedEncodingException {
+ super(new OutputStreamWriter(output, "UTF8")); //$NON-NLS-1$
+ tab = 0;
+ println(XML_VERSION);
+ }
+
+ public void endTag(String name) {
+ tab--;
+ printTag('/' + name, null);
+ }
+
+ public void printSimpleTag(String name, Object value) {
+ if (value != null) {
+ printTag(name, null, true, false);
+ print(getEscaped(String.valueOf(value)));
+ printTag('/' + name, null, false, true);
+ }
+ }
+
+ public void printTabulation() {
+ for (int i = 0; i < tab; i++)
+ super.print('\t');
+ }
+
+ public void printTag(String name, HashMap parameters) {
+ printTag(name, parameters, true, true);
+ }
+
+ public void printTag(String name, HashMap parameters, boolean shouldTab, boolean newLine) {
+ StringBuffer sb = new StringBuffer();
+ sb.append("<"); //$NON-NLS-1$
+ sb.append(name);
+ if (parameters != null)
+ for (Iterator it = parameters.keySet().iterator(); it.hasNext();) {
+ sb.append(" "); //$NON-NLS-1$
+ String key = (String) it.next();
+ sb.append(key);
+ sb.append("=\""); //$NON-NLS-1$
+ sb.append(getEscaped(String.valueOf(parameters.get(key))));
+ sb.append("\""); //$NON-NLS-1$
+ }
+ sb.append(">"); //$NON-NLS-1$
+ if (shouldTab)
+ printTabulation();
+ if (newLine)
+ println(sb.toString());
+ else
+ print(sb.toString());
+ }
+
+ public void startTag(String name, HashMap parameters) {
+ startTag(name, parameters, true);
+ }
+
+ public void startTag(String name, HashMap parameters, boolean newLine) {
+ printTag(name, parameters, true, newLine);
+ tab++;
+ }
+
+ private static void appendEscapedChar(StringBuffer buffer, char c) {
+ String replacement = getReplacement(c);
+ if (replacement != null) {
+ buffer.append('&');
+ buffer.append(replacement);
+ buffer.append(';');
+ } else {
+ buffer.append(c);
+ }
+ }
+
+ public static String getEscaped(String s) {
+ StringBuffer result = new StringBuffer(s.length() + 10);
+ for (int i = 0; i < s.length(); ++i)
+ appendEscapedChar(result, s.charAt(i));
+ return result.toString();
+ }
+
+ private static String getReplacement(char c) {
+ // Encode special XML characters into the equivalent character references.
+ // These five are defined by default for all XML documents.
+ switch (c) {
+ case '<' :
+ return "lt"; //$NON-NLS-1$
+ case '>' :
+ return "gt"; //$NON-NLS-1$
+ case '"' :
+ return "quot"; //$NON-NLS-1$
+ case '\'' :
+ return "apos"; //$NON-NLS-1$
+ case '&' :
+ return "amp"; //$NON-NLS-1$
+ }
+ return null;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ChangeDescription.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ChangeDescription.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,133 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * A description of the changes found in a delta
+ */
+public class ChangeDescription {
+
+ private List addedRoots = new ArrayList();
+ private List changedFiles = new ArrayList();
+ private List closedProjects = new ArrayList();
+ private List copiedRoots = new ArrayList();
+ private List movedRoots = new ArrayList();
+ private List removedRoots = new ArrayList();
+
+ private IResource createSourceResource(IResourceDelta delta) {
+ IPath sourcePath = delta.getMovedFromPath();
+ IResource resource = delta.getResource();
+ IWorkspaceRoot wsRoot = ResourcesPlugin.getWorkspace().getRoot();
+ switch (resource.getType()) {
+ case IResource.PROJECT :
+ return wsRoot.getProject(sourcePath.segment(0));
+ case IResource.FOLDER :
+ return wsRoot.getFolder(sourcePath);
+ case IResource.FILE :
+ return wsRoot.getFile(sourcePath);
+ }
+ return null;
+ }
+
+ private void ensureResourceCovered(IResource resource, List list) {
+ IPath path = resource.getFullPath();
+ for (Iterator iter = list.iterator(); iter.hasNext();) {
+ IResource root = (IResource) iter.next();
+ if (root.getFullPath().isPrefixOf(path)) {
+ return;
+ }
+ }
+ list.add(resource);
+ }
+
+ public IResource[] getRootResources() {
+ Set result = new HashSet();
+ result.addAll(addedRoots);
+ result.addAll(changedFiles);
+ result.addAll(closedProjects);
+ result.addAll(copiedRoots);
+ result.addAll(movedRoots);
+ result.addAll(removedRoots);
+ return (IResource[]) result.toArray(new IResource[result.size()]);
+ }
+
+ private void handleAdded(IResourceDelta delta) {
+ if ((delta.getFlags() & IResourceDelta.MOVED_FROM) != 0) {
+ handleMove(delta);
+ } else if ((delta.getFlags() & IResourceDelta.COPIED_FROM) != 0) {
+ handleCopy(delta);
+ } else {
+ ensureResourceCovered(delta.getResource(), addedRoots);
+ }
+ }
+
+ private void handleChange(IResourceDelta delta) {
+ if ((delta.getFlags() & IResourceDelta.REPLACED) != 0) {
+ // A replace was added in place of a removed resource
+ handleAdded(delta);
+ } else if (delta.getResource().getType() == IResource.FILE) {
+ ensureResourceCovered(delta.getResource(), changedFiles);
+ }
+ }
+
+ private void handleCopy(IResourceDelta delta) {
+ if ((delta.getFlags() & IResourceDelta.COPIED_FROM) != 0) {
+ IResource source = createSourceResource(delta);
+ ensureResourceCovered(source, copiedRoots);
+ }
+ }
+
+ private void handleMove(IResourceDelta delta) {
+ if ((delta.getFlags() & IResourceDelta.MOVED_TO) != 0) {
+ movedRoots.add(delta.getResource());
+ } else if ((delta.getFlags() & IResourceDelta.MOVED_FROM) != 0) {
+ IResource source = createSourceResource(delta);
+ ensureResourceCovered(source, movedRoots);
+ }
+ }
+
+ private void handleRemoved(IResourceDelta delta) {
+ if ((delta.getFlags() & IResourceDelta.OPEN) != 0) {
+ closedProjects.add(delta.getResource());
+ } else if ((delta.getFlags() & IResourceDelta.MOVED_TO) != 0) {
+ handleMove(delta);
+ } else {
+ ensureResourceCovered(delta.getResource(), removedRoots);
+ }
+ }
+
+ /**
+ * Record the change and return whether any child changes should be visited.
+ * @param delta the change
+ * @return whether any child changes should be visited
+ */
+ public boolean recordChange(IResourceDelta delta) {
+ switch (delta.getKind()) {
+ case IResourceDelta.ADDED :
+ handleAdded(delta);
+ return true; // Need to traverse children to look for moves or other changes under added roots
+ case IResourceDelta.REMOVED :
+ handleRemoved(delta);
+ // No need to look for further changes under a remove (such as moves).
+ // Changes will be discovered in corresponding destination delta
+ return false;
+ case IResourceDelta.CHANGED :
+ handleChange(delta);
+ return true;
+ }
+ return true;
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ModelProviderDescriptor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ModelProviderDescriptor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,138 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.expressions.*;
+import org.eclipse.core.internal.resources.ResourceException;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.resources.mapping.*;
+import org.eclipse.core.runtime.*;
+import org.eclipse.osgi.util.NLS;
+
+public class ModelProviderDescriptor implements IModelProviderDescriptor {
+
+ private String id;
+ private String[] extendedModels;
+ private String label;
+ private ModelProvider provider;
+ private Expression enablementRule;
+
+ private static EvaluationContext createEvaluationContext(Object element) {
+ EvaluationContext result = new EvaluationContext(null, element);
+ return result;
+ }
+
+ public ModelProviderDescriptor(IExtension extension) throws CoreException {
+ readExtension(extension);
+ }
+
+ private boolean convert(EvaluationResult eval) {
+ if (eval == EvaluationResult.FALSE)
+ return false;
+ return true;
+ }
+
+ protected void fail(String reason) throws CoreException {
+ throw new ResourceException(new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, 1, reason, null));
+ }
+
+ public String[] getExtendedModels() {
+ return extendedModels;
+ }
+
+ public String getId() {
+ return id;
+ }
+
+ public String getLabel() {
+ return label;
+ }
+
+ public IResource[] getMatchingResources(IResource[] resources) throws CoreException {
+ Set result = new HashSet();
+ for (int i = 0; i < resources.length; i++) {
+ IResource resource = resources[i];
+ EvaluationContext evalContext = createEvaluationContext(resource);
+ if (matches(evalContext)) {
+ result.add(resource);
+ }
+ }
+ return (IResource[]) result.toArray(new IResource[result.size()]);
+ }
+
+ public synchronized ModelProvider getModelProvider() throws CoreException {
+ if (provider == null) {
+ IExtension extension = Platform.getExtensionRegistry().getExtension(ResourcesPlugin.PI_RESOURCES, ResourcesPlugin.PT_MODEL_PROVIDERS, id);
+ IConfigurationElement[] elements = extension.getConfigurationElements();
+ for (int i = 0; i < elements.length; i++) {
+ IConfigurationElement element = elements[i];
+ if (element.getName().equalsIgnoreCase("modelProvider")) { //$NON-NLS-1$
+ try {
+ provider = (ModelProvider) element.createExecutableExtension("class"); //$NON-NLS-1$
+ provider.init(this);
+ } catch (ClassCastException e) {
+ String message = NLS.bind(Messages.mapping_wrongType, id);
+ throw new CoreException(new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, Platform.PLUGIN_ERROR, message, e));
+ }
+ }
+ }
+ }
+ return provider;
+ }
+
+ public boolean matches(IEvaluationContext context) throws CoreException {
+ if (enablementRule == null)
+ return false;
+ return convert(enablementRule.evaluate(context));
+ }
+
+ /**
+ * Initialize this descriptor based on the provided extension point.
+ */
+ protected void readExtension(IExtension extension) throws CoreException {
+ //read the extension
+ id = extension.getUniqueIdentifier();
+ if (id == null)
+ fail(Messages.mapping_noIdentifier);
+ label = extension.getLabel();
+ IConfigurationElement[] elements = extension.getConfigurationElements();
+ int count = elements.length;
+ ArrayList extendsList = new ArrayList(count);
+ for (int i = 0; i < count; i++) {
+ IConfigurationElement element = elements[i];
+ String name = element.getName();
+ if (name.equalsIgnoreCase("extends-model")) { //$NON-NLS-1$
+ String attribute = element.getAttribute("id"); //$NON-NLS-1$
+ if (attribute == null)
+ fail(NLS.bind(Messages.mapping_invalidDef, id));
+ extendsList.add(attribute);
+ } else if (name.equalsIgnoreCase(ExpressionTagNames.ENABLEMENT)) {
+ enablementRule = ExpressionConverter.getDefault().perform(element);
+ }
+ }
+ extendedModels = (String[]) extendsList.toArray(new String[extendsList.size()]);
+ }
+
+ public ResourceTraversal[] getMatchingTraversals(ResourceTraversal[] traversals) throws CoreException {
+ List result = new ArrayList();
+ for (int i = 0; i < traversals.length; i++) {
+ ResourceTraversal traversal = traversals[i];
+ if (getMatchingResources(traversal.getResources()).length > 0) {
+ result.add(traversal);
+ }
+ }
+ return (ResourceTraversal[]) result.toArray(new ResourceTraversal[result.size()]);
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ModelProviderManager.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ModelProviderManager.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,76 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import java.util.HashMap;
+import java.util.Map;
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.resources.mapping.IModelProviderDescriptor;
+import org.eclipse.core.resources.mapping.ModelProvider;
+import org.eclipse.core.runtime.*;
+
+public class ModelProviderManager {
+
+ private static Map descriptors;
+ private static ModelProviderManager instance;
+
+ public synchronized static ModelProviderManager getDefault() {
+ if (instance == null) {
+ instance = new ModelProviderManager();
+ }
+ return instance;
+ }
+
+ private void detectCycles() {
+ // TODO Auto-generated method stub
+
+ }
+
+ public IModelProviderDescriptor getDescriptor(String id) {
+ lazyInitialize();
+ return (IModelProviderDescriptor) descriptors.get(id);
+ }
+
+ public IModelProviderDescriptor[] getDescriptors() {
+ lazyInitialize();
+ return (IModelProviderDescriptor[]) descriptors.values().toArray(new IModelProviderDescriptor[descriptors.size()]);
+ }
+
+ public ModelProvider getModelProvider(String modelProviderId) throws CoreException {
+ IModelProviderDescriptor desc = getDescriptor(modelProviderId);
+ if (desc == null)
+ return null;
+ return desc.getModelProvider();
+ }
+
+ protected void lazyInitialize() {
+ if (descriptors != null)
+ return;
+ IExtensionPoint point = Platform.getExtensionRegistry().getExtensionPoint(ResourcesPlugin.PI_RESOURCES, ResourcesPlugin.PT_MODEL_PROVIDERS);
+ IExtension[] extensions = point.getExtensions();
+ descriptors = new HashMap(extensions.length * 2 + 1);
+ for (int i = 0, imax = extensions.length; i < imax; i++) {
+ IModelProviderDescriptor desc = null;
+ try {
+ desc = new ModelProviderDescriptor(extensions[i]);
+ } catch (CoreException e) {
+ Policy.log(e);
+ }
+ if (desc != null)
+ descriptors.put(desc.getId(), desc);
+ }
+ //do cycle detection now so it only has to be done once
+ //cycle detection on a graph subset is a pain
+ detectCycles();
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ProposedResourceDelta.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ProposedResourceDelta.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,210 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+/**
+ * Concrete implementation of IResourceDelta used for operation validation
+ */
+public final class ProposedResourceDelta extends PlatformObject implements IResourceDelta {
+
+ protected static int KIND_MASK = 0xFF;
+
+ private HashMap children = new HashMap(8);
+ private IPath movedFromPath;
+ private IPath movedToPath;
+ private IResource resource;
+ private int status;
+
+ public ProposedResourceDelta(IResource resource) {
+ this.resource = resource;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#accept(org.eclipse.core.resources.IResourceDeltaVisitor)
+ */
+ public void accept(IResourceDeltaVisitor visitor) throws CoreException {
+ accept(visitor, 0);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#accept(org.eclipse.core.resources.IResourceDeltaVisitor, boolean)
+ */
+ public void accept(IResourceDeltaVisitor visitor, boolean includePhantoms) throws CoreException {
+ accept(visitor, includePhantoms ? IContainer.INCLUDE_PHANTOMS : 0);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#accept(org.eclipse.core.resources.IResourceDeltaVisitor, int)
+ */
+ public void accept(IResourceDeltaVisitor visitor, int memberFlags) throws CoreException {
+ if (!visitor.visit(this))
+ return;
+ for (Iterator iter = children.values().iterator(); iter.hasNext();) {
+ ProposedResourceDelta childDelta = (ProposedResourceDelta) iter.next();
+ childDelta.accept(visitor, memberFlags);
+ }
+ }
+
+ /**
+ * Adds a child delta to the list of children for this delta node.
+ * @param delta
+ */
+ protected void add(ProposedResourceDelta delta) {
+ if (children.size() == 0 && status == 0)
+ setKind(IResourceDelta.CHANGED);
+ children.put(delta.getResource().getName(), delta);
+ }
+
+ /**
+ * Adds the given flags to this delta.
+ * @param flags The flags to add
+ */
+ protected void addFlags(int flags) {
+ //make sure the provided flags don't influence the kind
+ this.status |= (flags & ~KIND_MASK);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#findMember(org.eclipse.core.runtime.IPath)
+ */
+ public IResourceDelta findMember(IPath path) {
+ int segmentCount = path.segmentCount();
+ if (segmentCount == 0)
+ return this;
+
+ //iterate over the path and find matching child delta
+ ProposedResourceDelta current = this;
+ for (int i = 0; i < segmentCount; i++) {
+ current = (ProposedResourceDelta) current.children.get(path.segment(i));
+ if (current == null)
+ return null;
+ }
+ return current;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getAffectedChildren()
+ */
+ public IResourceDelta[] getAffectedChildren() {
+ return getAffectedChildren(ADDED | REMOVED | CHANGED, IResource.NONE);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getAffectedChildren(int)
+ */
+ public IResourceDelta[] getAffectedChildren(int kindMask) {
+ return getAffectedChildren(kindMask, IResource.NONE);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getAffectedChildren(int, int)
+ */
+ public IResourceDelta[] getAffectedChildren(int kindMask, int memberFlags) {
+ List result = new ArrayList();
+ for (Iterator iter = children.values().iterator(); iter.hasNext();) {
+ ProposedResourceDelta child = (ProposedResourceDelta) iter.next();
+ if ((child.getKind() & kindMask) != 0)
+ result.add(child);
+ }
+ return (IResourceDelta[]) result.toArray(new IResourceDelta[result.size()]);
+ }
+
+ /**
+ * Returns the child delta corresponding to the given child resource name,
+ * or null
.
+ */
+ ProposedResourceDelta getChild(String name) {
+ return (ProposedResourceDelta) children.get(name);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getFlags()
+ */
+ public int getFlags() {
+ return status & ~KIND_MASK;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getFullPath()
+ */
+ public IPath getFullPath() {
+ return getResource().getFullPath();
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getKind()
+ */
+ public int getKind() {
+ return status & KIND_MASK;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getMarkerDeltas()
+ */
+ public IMarkerDelta[] getMarkerDeltas() {
+ return new IMarkerDelta[0];
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getMovedFromPath()
+ */
+ public IPath getMovedFromPath() {
+ return movedFromPath;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getMovedToPath()
+ */
+ public IPath getMovedToPath() {
+ return movedToPath;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getProjectRelativePath()
+ */
+ public IPath getProjectRelativePath() {
+ return getResource().getProjectRelativePath();
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.IResourceDelta#getResource()
+ */
+ public IResource getResource() {
+ return resource;
+ }
+
+ public void setFlags(int flags) {
+ status = getKind() | (flags & ~KIND_MASK);
+ }
+
+ protected void setKind(int kind) {
+ status = getFlags() | (kind & KIND_MASK);
+ }
+
+ protected void setMovedFromPath(IPath path) {
+ movedFromPath = path;
+ }
+
+ protected void setMovedToPath(IPath path) {
+ movedToPath = path;
+ }
+
+ /**
+ * For debugging purposes only.
+ */
+ public String toString() {
+ return "ProposedDelta(" + resource + ')'; //$NON-NLS-1$
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceAdapterFactory.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceAdapterFactory.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,40 @@
+/*******************************************************************************
+ * Copyright (c) 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.mapping.ResourceMapping;
+import org.eclipse.core.runtime.IAdapterFactory;
+
+/**
+ * Adapter factory converting IResource to ResourceMapping
+ *
+ * @since 3.1
+ */
+public class ResourceAdapterFactory implements IAdapterFactory {
+
+ /* (non-Javadoc)
+ * Method declared on IAdapterFactory
+ */
+ public Object getAdapter(Object adaptableObject, Class adapterType) {
+ if (adapterType == ResourceMapping.class && adaptableObject instanceof IResource) {
+ return new SimpleResourceMapping((IResource) adaptableObject);
+ }
+ return null;
+ }
+
+ /* (non-Javadoc)
+ * Method declared on IAdapterFactory
+ */
+ public Class[] getAdapterList() {
+ return new Class[] {ResourceMapping.class};
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceChangeDescriptionFactory.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceChangeDescriptionFactory.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,256 @@
+/*******************************************************************************
+ * Copyright (c) 2006, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.resources.mapping.IResourceChangeDescriptionFactory;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * Factory for creating a resource delta that describes a proposed change.
+ */
+public class ResourceChangeDescriptionFactory implements IResourceChangeDescriptionFactory {
+
+ private ProposedResourceDelta root = new ProposedResourceDelta(ResourcesPlugin.getWorkspace().getRoot());
+
+ /**
+ * Creates and a delta representing a deleted resource, and adds it to the provided
+ * parent delta.
+ * @param parentDelta The parent of the deletion delta to create
+ * @param resource The deleted resource to create a delta for
+ */
+ private ProposedResourceDelta buildDeleteDelta(ProposedResourceDelta parentDelta, IResource resource) {
+ //start with the existing delta for this resource, if any, to preserve other flags
+ ProposedResourceDelta delta = parentDelta.getChild(resource.getName());
+ if (delta == null) {
+ delta = new ProposedResourceDelta(resource);
+ parentDelta.add(delta);
+ }
+ delta.setKind(IResourceDelta.REMOVED);
+ if (resource.getType() == IResource.FILE)
+ return delta;
+ //recurse to build deletion deltas for children
+ try {
+ IResource[] members = ((IContainer) resource).members();
+ int childCount = members.length;
+ if (childCount > 0) {
+ ProposedResourceDelta[] childDeltas = new ProposedResourceDelta[childCount];
+ for (int i = 0; i < childCount; i++)
+ childDeltas[i] = buildDeleteDelta(delta, members[i]);
+ }
+ } catch (CoreException e) {
+ //don't need to create deletion deltas for children of inaccessible resources
+ }
+ return delta;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#change(org.eclipse.core.resources.IFile)
+ */
+ public void change(IFile file) {
+ ProposedResourceDelta delta = getDelta(file);
+ if (delta.getKind() == 0)
+ delta.setKind(IResourceDelta.CHANGED);
+ //the CONTENT flag only applies to the changed and moved from cases
+ if (delta.getKind() == IResourceDelta.CHANGED
+ || (delta.getFlags() & IResourceDelta.MOVED_FROM) != 0
+ || (delta.getFlags() & IResourceDelta.COPIED_FROM) != 0)
+ delta.addFlags(IResourceDelta.CONTENT);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#close(org.eclipse.core.resources.IProject)
+ */
+ public void close(IProject project) {
+ delete(project);
+ ProposedResourceDelta delta = getDelta(project);
+ delta.addFlags(IResourceDelta.OPEN);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#copy(org.eclipse.core.resources.IResource, org.eclipse.core.runtime.IPath)
+ */
+ public void copy(IResource resource, IPath destination) {
+ moveOrCopyDeep(resource, destination, false /* copy */);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IResourceChangeDescriptionFactory#create(org.eclipse.core.resources.IResource)
+ */
+ public void create(IResource resource) {
+ getDelta(resource).setKind(IResourceDelta.ADDED);
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#delete(org.eclipse.core.resources.IResource)
+ */
+ public void delete(IResource resource) {
+ if (resource.getType() == IResource.ROOT) {
+ //the root itself cannot be deleted, so create deletions for each project
+ IProject[] projects = ((IWorkspaceRoot)resource).getProjects(IContainer.INCLUDE_HIDDEN);
+ for (int i = 0; i < projects.length; i++)
+ buildDeleteDelta(root, projects[i]);
+ } else {
+ buildDeleteDelta(getDelta(resource.getParent()), resource);
+ }
+ }
+
+ private void fail(CoreException e) {
+ Policy.log(e.getStatus().getSeverity(), "An internal error occurred while accumulating a change description.", e); //$NON-NLS-1$
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#getDelta()
+ */
+ public IResourceDelta getDelta() {
+ return root;
+ }
+
+ ProposedResourceDelta getDelta(IResource resource) {
+ ProposedResourceDelta delta = (ProposedResourceDelta) root.findMember(resource.getFullPath());
+ if (delta != null) {
+ return delta;
+ }
+ ProposedResourceDelta parent = getDelta(resource.getParent());
+ delta = new ProposedResourceDelta(resource);
+ parent.add(delta);
+ return delta;
+ }
+
+ /*
+ * Return the resource at the destination path that corresponds to the source resource
+ * @param source the source resource
+ * @param sourcePrefix the path of the root of the move or copy
+ * @param destinationPrefix the path of the destination the root was copied to
+ * @return the destination resource
+ */
+ protected IResource getDestinationResource(IResource source, IPath sourcePrefix, IPath destinationPrefix) {
+ IPath relativePath = source.getFullPath().removeFirstSegments(sourcePrefix.segmentCount());
+ IPath destinationPath = destinationPrefix.append(relativePath);
+ IResource destination;
+ IWorkspaceRoot wsRoot = ResourcesPlugin.getWorkspace().getRoot();
+ switch (source.getType()) {
+ case IResource.FILE :
+ destination = wsRoot.getFile(destinationPath);
+ break;
+ case IResource.FOLDER :
+ destination = wsRoot.getFolder(destinationPath);
+ break;
+ case IResource.PROJECT :
+ destination = wsRoot.getProject(destinationPath.segment(0));
+ break;
+ default :
+ // Shouldn't happen
+ destination = null;
+ }
+ return destination;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.IProposedResourceDeltaFactory#move(org.eclipse.core.resources.IResource, org.eclipse.core.runtime.IPath)
+ */
+ public void move(IResource resource, IPath destination) {
+ moveOrCopyDeep(resource, destination, true /* move */);
+ }
+
+ /**
+ * Builds the delta representing a single resource being moved or copied.
+ *
+ * @param resource The resource being moved
+ * @param sourcePrefix The root of the sub-tree being moved
+ * @param destinationPrefix The root of the destination sub-tree
+ * @param move true
for a move, false
for a copy
+ * @return Whether to move or copy the child
+ */
+ boolean moveOrCopy(IResource resource, final IPath sourcePrefix, final IPath destinationPrefix, final boolean move) {
+ ProposedResourceDelta sourceDelta = getDelta(resource);
+ if (sourceDelta.getKind() == IResourceDelta.REMOVED) {
+ // There is already a removed delta here so there
+ // is nothing to move/copy
+ return false;
+ }
+ IResource destinationResource = getDestinationResource(resource, sourcePrefix, destinationPrefix);
+ ProposedResourceDelta destinationDelta = getDelta(destinationResource);
+ if ((destinationDelta.getKind() & (IResourceDelta.ADDED | IResourceDelta.CHANGED)) > 0) {
+ // There is already a resource at the destination
+ // TODO: What do we do
+ return false;
+ }
+ // First, create the delta for the source
+ IPath fromPath = resource.getFullPath();
+ boolean wasAdded = false;
+ final int sourceFlags = sourceDelta.getFlags();
+ if (move) {
+ // We transfer the source flags to the destination
+ if (sourceDelta.getKind() == IResourceDelta.ADDED) {
+ if ((sourceFlags & IResourceDelta.MOVED_FROM) != 0) {
+ // The resource was moved from somewhere else so
+ // we need to transfer the path to the new location
+ fromPath = sourceDelta.getMovedFromPath();
+ sourceDelta.setMovedFromPath(null);
+ }
+ // The source was added and then moved so we'll
+ // make it an add at the destination
+ sourceDelta.setKind(0);
+ wasAdded = true;
+ } else {
+ // We reset the status to be a remove/move_to
+ sourceDelta.setKind(IResourceDelta.REMOVED);
+ sourceDelta.setFlags(IResourceDelta.MOVED_TO);
+ sourceDelta.setMovedToPath(destinationPrefix.append(fromPath.removeFirstSegments(sourcePrefix.segmentCount())));
+ }
+ }
+ // Next, create the delta for the destination
+ if (destinationDelta.getKind() == IResourceDelta.REMOVED) {
+ // The destination was removed and is being re-added
+ destinationDelta.setKind(IResourceDelta.CHANGED);
+ destinationDelta.addFlags(IResourceDelta.REPLACED);
+ } else {
+ destinationDelta.setKind(IResourceDelta.ADDED);
+ }
+ if (!wasAdded || !fromPath.equals(resource.getFullPath())) {
+ // The source wasn't added so it is a move/copy
+ destinationDelta.addFlags(move ? IResourceDelta.MOVED_FROM : IResourceDelta.COPIED_FROM);
+ destinationDelta.setMovedFromPath(fromPath);
+ // Apply the source flags
+ if (move)
+ destinationDelta.addFlags(sourceFlags);
+ }
+
+ return true;
+ }
+
+ /**
+ * Helper method that generate a move or copy delta for a sub-tree
+ * of resources being moved or copied.
+ */
+ private void moveOrCopyDeep(IResource resource, IPath destination, final boolean move) {
+ final IPath sourcePrefix = resource.getFullPath();
+ final IPath destinationPrefix = destination;
+ try {
+ //build delta for the entire sub-tree if available
+ if (resource.isAccessible()) {
+ resource.accept(new IResourceVisitor() {
+ public boolean visit(IResource child) {
+ return moveOrCopy(child, sourcePrefix, destinationPrefix, move);
+ }
+ });
+ } else {
+ //just build a delta for the single resource
+ moveOrCopy(resource, sourcePrefix, destination, move);
+ }
+ } catch (CoreException e) {
+ fail(e);
+ }
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceModelProvider.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ResourceModelProvider.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,75 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.resources.IContainer;
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.mapping.*;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A simple model provider that represents the resource model itself.
+ *
+ * @since 3.2
+ */
+public final class ResourceModelProvider extends ModelProvider {
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ModelProvider#getMappings(org.eclipse.core.resources.IResource, org.eclipse.core.resources.mapping.ResourceMappingContext, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public ResourceMapping[] getMappings(IResource resource, ResourceMappingContext context, IProgressMonitor monitor) {
+ return new ResourceMapping[] {new SimpleResourceMapping(resource)};
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ModelProvider#getMappings(org.eclipse.core.resources.mapping.ResourceTraversal[], org.eclipse.core.resources.mapping.ResourceMappingContext, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public ResourceMapping[] getMappings(ResourceTraversal[] traversals, ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ Set result = new HashSet();
+ for (int i = 0; i < traversals.length; i++) {
+ ResourceTraversal traversal = traversals[i];
+ IResource[] resources = traversal.getResources();
+ int depth = traversal.getDepth();
+ for (int j = 0; j < resources.length; j++) {
+ IResource resource = resources[j];
+ switch (depth) {
+ case IResource.DEPTH_INFINITE :
+ result.add(resource);
+ break;
+ case IResource.DEPTH_ONE :
+ if (resource.getType() == IResource.FILE) {
+ result.add(resource);
+ } else {
+ result.add(new ShallowContainer((IContainer)resource));
+ }
+ break;
+ case IResource.DEPTH_ZERO :
+ if (resource.getType() == IResource.FILE)
+ result.add(resource);
+ break;
+ }
+ }
+ }
+ ResourceMapping[] mappings = new ResourceMapping[result.size()];
+ int i = 0;
+ for (Iterator iter = result.iterator(); iter.hasNext();) {
+ Object element = iter.next();
+ if (element instanceof IResource) {
+ mappings[i++] = new SimpleResourceMapping((IResource) element);
+ } else {
+ mappings[i++] = new ShallowResourceMapping((ShallowContainer)element);
+ }
+ }
+ return mappings;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ShallowContainer.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ShallowContainer.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,52 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import org.eclipse.core.resources.IContainer;
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.runtime.PlatformObject;
+
+/**
+ * A special model object used to represent shallow folders
+ */
+public class ShallowContainer extends PlatformObject {
+
+ private IContainer container;
+
+ public ShallowContainer(IContainer container) {
+ this.container = container;
+ }
+
+ public IContainer getResource() {
+ return container;
+ }
+
+ public boolean equals(Object obj) {
+ if (obj == this)
+ return true;
+ if (obj instanceof ShallowContainer) {
+ ShallowContainer other = (ShallowContainer) obj;
+ return other.getResource().equals(getResource());
+ }
+ return false;
+ }
+
+ public int hashCode() {
+ return getResource().hashCode();
+ }
+
+ public Object getAdapter(Class adapter) {
+ if (adapter == IResource.class || adapter == IContainer.class)
+ return container;
+ return super.getAdapter(adapter);
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ShallowResourceMapping.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/ShallowResourceMapping.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,63 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import org.eclipse.core.resources.IProject;
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.mapping.*;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A resource mapping for a shallow container.
+ */
+public class ShallowResourceMapping extends ResourceMapping {
+
+ private final ShallowContainer container;
+
+ public ShallowResourceMapping(ShallowContainer container) {
+ this.container = container;
+ }
+
+ public Object getModelObject() {
+ return container;
+ }
+
+ public String getModelProviderId() {
+ return ModelProvider.RESOURCE_MODEL_PROVIDER_ID;
+ }
+
+ public IProject[] getProjects() {
+ return new IProject[] { container.getResource().getProject() };
+ }
+
+ public ResourceTraversal[] getTraversals(ResourceMappingContext context, IProgressMonitor monitor) {
+ return new ResourceTraversal[] { new ResourceTraversal(new IResource[] { container.getResource() }, IResource.DEPTH_ONE, IResource.NONE)};
+ }
+
+ public boolean contains(ResourceMapping mapping) {
+ if (mapping.getModelProviderId().equals(this.getModelProviderId())) {
+ Object object = mapping.getModelObject();
+ IResource resource = container.getResource();
+ // A shallow mapping only contains direct file children or equal shallow containers
+ if (object instanceof ShallowContainer) {
+ ShallowContainer sc = (ShallowContainer) object;
+ return sc.getResource().equals(resource);
+ }
+ if (object instanceof IResource) {
+ IResource other = (IResource) object;
+ return other.getType() == IResource.FILE
+ && resource.getFullPath().equals(other.getFullPath().removeLastSegments(1));
+ }
+ }
+ return false;
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/SimpleResourceMapping.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/mapping/SimpleResourceMapping.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,78 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.mapping;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.resources.mapping.*;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A simple resource mapping for converting IResource to ResourceMapping.
+ * It uses the resource as the model object and traverses deeply.
+ *
+ * @since 3.1
+ */
+public class SimpleResourceMapping extends ResourceMapping {
+ private final IResource resource;
+
+ public SimpleResourceMapping(IResource resource) {
+ this.resource = resource;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#contains(org.eclipse.core.resources.mapping.ResourceMapping)
+ */
+ public boolean contains(ResourceMapping mapping) {
+ if (mapping.getModelProviderId().equals(this.getModelProviderId())) {
+ Object object = mapping.getModelObject();
+ if (object instanceof IResource) {
+ IResource other = (IResource) object;
+ return resource.getFullPath().isPrefixOf(other.getFullPath());
+ }
+ if (object instanceof ShallowContainer) {
+ ShallowContainer sc = (ShallowContainer) object;
+ IResource other = sc.getResource();
+ return resource.getFullPath().isPrefixOf(other.getFullPath());
+ }
+ }
+ return false;
+ }
+
+ /* (non-Javadoc)
+ * Method declared on ResourceMapping.
+ */
+ public Object getModelObject() {
+ return resource;
+ }
+
+ public String getModelProviderId() {
+ return ModelProvider.RESOURCE_MODEL_PROVIDER_ID;
+ }
+
+ /* (non-Javadoc)
+ * Method declared on ResourceMapping.
+ */
+ public IProject[] getProjects() {
+ if (resource.getType() == IResource.ROOT)
+ return ((IWorkspaceRoot)resource).getProjects();
+ return new IProject[] {resource.getProject()};
+ }
+
+ /* (non-Javadoc)
+ * Method declared on ResourceMapping.
+ */
+ public ResourceTraversal[] getTraversals(ResourceMappingContext context, IProgressMonitor monitor) {
+ if (resource.getType() == IResource.ROOT) {
+ return new ResourceTraversal[] {new ResourceTraversal(((IWorkspaceRoot)resource).getProjects(), IResource.DEPTH_INFINITE, IResource.NONE)};
+ }
+ return new ResourceTraversal[] {new ResourceTraversal(new IResource[] {resource}, IResource.DEPTH_INFINITE, IResource.NONE)};
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Convert.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Convert.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,50 @@
+/*******************************************************************************
+ * Copyright (c) 2002, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.refresh.win32;
+
+import java.io.*;
+
+/**
+ * Performs character to byte conversion for passing strings to native win32
+ * methods.
+ */
+public class Convert {
+
+ /*
+ * Obtains the default encoding on this platform
+ */
+ private static String defaultEncoding=
+ new InputStreamReader(new ByteArrayInputStream(new byte[0])).getEncoding();
+
+ /**
+ * Converts the given String to bytes using the platforms default
+ * encoding.
+ *
+ * @param target The String to be converted, can not be null
.
+ * @return byte[] The resulting bytes, or null
.
+ */
+ /**
+ * Calling String.getBytes() creates a new encoding object and other garbage.
+ * This can be avoided by calling String.getBytes(String encoding) instead.
+ */
+ public static byte[] toPlatformBytes(String target) {
+ if (defaultEncoding == null)
+ return target.getBytes();
+ // try to use the default encoding
+ try {
+ return target.getBytes(defaultEncoding);
+ } catch (UnsupportedEncodingException e) {
+ // null the default encoding so we don't try it again
+ defaultEncoding = null;
+ return target.getBytes();
+ }
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32Monitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32Monitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,589 @@
+/*******************************************************************************
+ * Copyright (c) 2002, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.refresh.win32;
+
+import java.io.File;
+import java.util.*;
+import org.eclipse.core.internal.refresh.RefreshManager;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.resources.refresh.IRefreshMonitor;
+import org.eclipse.core.resources.refresh.IRefreshResult;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.Job;
+import org.eclipse.osgi.util.NLS;
+import org.osgi.framework.Bundle;
+
+/**
+ * A monitor that works on Win32 platforms. Provides simple notification of
+ * entire trees by reporting that the root of the tree has changed to depth
+ * DEPTH_INFINITE.
+ */
+class Win32Monitor extends Job implements IRefreshMonitor {
+ private static final long RESCHEDULE_DELAY = 1000;
+
+ /**
+ * A ChainedHandle is a linked list of handles.
+ */
+ protected abstract class ChainedHandle extends Handle {
+ private ChainedHandle next;
+ private ChainedHandle previous;
+
+ public abstract boolean exists();
+
+ public ChainedHandle getNext() {
+ return next;
+ }
+
+ public ChainedHandle getPrevious() {
+ return previous;
+ }
+
+ public void setNext(ChainedHandle next) {
+ this.next = next;
+ }
+
+ public void setPrevious(ChainedHandle previous) {
+ this.previous = previous;
+ }
+ }
+
+ protected class FileHandle extends ChainedHandle {
+ private File file;
+
+ public FileHandle(File file) {
+ this.file = file;
+ }
+
+ public boolean exists() {
+ return file.exists();
+ }
+
+ public void handleNotification() {
+ if (!isOpen())
+ return;
+ ChainedHandle next = getNext();
+ if (next != null) {
+ if (next.isOpen()) {
+ if (!next.exists()) {
+ if (next instanceof LinkedResourceHandle) {
+ next.close();
+ LinkedResourceHandle linkedResourceHandle = (LinkedResourceHandle) next;
+ linkedResourceHandle.postRefreshRequest();
+ } else {
+ next.close();
+ }
+ ChainedHandle previous = getPrevious();
+ if (previous != null)
+ previous.open();
+ }
+ } else {
+ next.open();
+ if (next.isOpen()) {
+ Handle previous = getPrevious();
+ previous.close();
+ if (next instanceof LinkedResourceHandle)
+ ((LinkedResourceHandle) next).postRefreshRequest();
+ }
+ }
+ }
+ findNextChange();
+ }
+
+ public void open() {
+ if (!isOpen()) {
+ Handle next = getNext();
+ if (next != null && next.isOpen()) {
+ openHandleOn(file);
+ } else {
+ if (exists()) {
+ openHandleOn(file);
+ }
+ Handle previous = getPrevious();
+ if (previous != null) {
+ previous.open();
+ }
+ }
+ }
+ }
+ }
+
+ protected abstract class Handle {
+ protected long handleValue;
+
+ public Handle() {
+ handleValue = Win32Natives.INVALID_HANDLE_VALUE;
+ }
+
+ public void close() {
+ if (isOpen()) {
+ if (!Win32Natives.FindCloseChangeNotification(handleValue)) {
+ int error = Win32Natives.GetLastError();
+ if (error != Win32Natives.ERROR_INVALID_HANDLE)
+ addException(NLS.bind(Messages.WM_errCloseHandle, Integer.toString(error)));
+ }
+ if (RefreshManager.DEBUG)
+ System.out.println(DEBUG_PREFIX + "removed handle: " + handleValue); //$NON-NLS-1$
+ handleValue = Win32Natives.INVALID_HANDLE_VALUE;
+ }
+ }
+
+ private long createHandleValue(String path, boolean monitorSubtree, int flags) {
+ long handle = Win32Natives.FindFirstChangeNotification(path, monitorSubtree, flags);
+ if (handle == Win32Natives.INVALID_HANDLE_VALUE) {
+ int error = Win32Natives.GetLastError();
+ addException(NLS.bind(Messages.WM_errCreateHandle, path, Integer.toString(error)));
+ }
+ return handle;
+ }
+
+ public void destroy() {
+ close();
+ }
+
+ protected void findNextChange() {
+ if (!Win32Natives.FindNextChangeNotification(handleValue)) {
+ int error = Win32Natives.GetLastError();
+ if (error != Win32Natives.ERROR_INVALID_HANDLE && error != Win32Natives.ERROR_SUCCESS) {
+ addException(NLS.bind(Messages.WM_errFindChange, Integer.toString(error)));
+ }
+ removeHandle(this);
+ }
+ }
+
+ public long getHandleValue() {
+ return handleValue;
+ }
+
+ public abstract void handleNotification();
+
+ public boolean isOpen() {
+ return handleValue != Win32Natives.INVALID_HANDLE_VALUE;
+ }
+
+ public abstract void open();
+
+ protected void openHandleOn(File file) {
+ openHandleOn(file.getAbsolutePath(), false);
+ }
+
+ protected void openHandleOn(IResource resource) {
+ openHandleOn(resource.getLocation().toOSString(), true);
+ }
+
+ private void openHandleOn(String path, boolean subtree) {
+ setHandleValue(createHandleValue(path, subtree, Win32Natives.FILE_NOTIFY_CHANGE_FILE_NAME | Win32Natives.FILE_NOTIFY_CHANGE_DIR_NAME | Win32Natives.FILE_NOTIFY_CHANGE_LAST_WRITE | Win32Natives.FILE_NOTIFY_CHANGE_SIZE));
+ if (isOpen()) {
+ fHandleValueToHandle.put(new Long(getHandleValue()), this);
+ setHandleValueArrays(createHandleArrays());
+ } else {
+ close();
+ }
+ }
+
+ protected void postRefreshRequest(IResource resource) {
+ //native callback occurs even if resource was changed within workspace
+ if (!resource.isSynchronized(IResource.DEPTH_INFINITE))
+ refreshResult.refresh(resource);
+ }
+
+ public void setHandleValue(long handleValue) {
+ this.handleValue = handleValue;
+ }
+ }
+
+ protected class LinkedResourceHandle extends ChainedHandle {
+ private List fileHandleChain;
+ private IResource resource;
+
+ /**
+ * @param resource
+ */
+ public LinkedResourceHandle(IResource resource) {
+ this.resource = resource;
+ createFileHandleChain();
+ }
+
+ protected void createFileHandleChain() {
+ fileHandleChain = new ArrayList(1);
+ File file = new File(resource.getLocation().toOSString());
+ file = file.getParentFile();
+ while (file != null) {
+ fileHandleChain.add(0, new FileHandle(file));
+ file = file.getParentFile();
+ }
+ int size = fileHandleChain.size();
+ for (int i = 0; i < size; i++) {
+ ChainedHandle handle = (ChainedHandle) fileHandleChain.get(i);
+ handle.setPrevious((i > 0) ? (ChainedHandle) fileHandleChain.get(i - 1) : null);
+ handle.setNext((i + 1 < size) ? (ChainedHandle) fileHandleChain.get(i + 1) : this);
+ }
+ setPrevious((size > 0) ? (ChainedHandle) fileHandleChain.get(size - 1) : null);
+ }
+
+ public void destroy() {
+ super.destroy();
+ for (Iterator i = fileHandleChain.iterator(); i.hasNext();) {
+ Handle handle = (Handle) i.next();
+ handle.destroy();
+ }
+ }
+
+ public boolean exists() {
+ IPath location = resource.getLocation();
+ return location == null ? false : location.toFile().exists();
+ }
+
+ public void handleNotification() {
+ if (isOpen()) {
+ postRefreshRequest(resource);
+ findNextChange();
+ }
+ }
+
+ public void open() {
+ if (!isOpen()) {
+ if (exists()) {
+ openHandleOn(resource);
+ }
+ FileHandle handle = (FileHandle) getPrevious();
+ if (handle != null && !handle.isOpen()) {
+ handle.open();
+ }
+ }
+ }
+
+ public void postRefreshRequest() {
+ postRefreshRequest(resource);
+ }
+ }
+
+ protected class ResourceHandle extends Handle {
+ private IResource resource;
+
+ public ResourceHandle(IResource resource) {
+ super();
+ this.resource = resource;
+ }
+
+ public IResource getResource() {
+ return resource;
+ }
+
+ public void handleNotification() {
+ if (isOpen()) {
+ postRefreshRequest(resource);
+ findNextChange();
+ }
+ }
+
+ public void open() {
+ if (!isOpen()) {
+ openHandleOn(resource);
+ }
+ }
+ }
+
+ private static final String DEBUG_PREFIX = "Win32RefreshMonitor: "; //$NON-NLS-1$
+ private static final int WAIT_FOR_MULTIPLE_OBJECTS_TIMEOUT = 300;
+ /**
+ * Any errors that have occurred
+ */
+ protected MultiStatus errors;
+ /**
+ * Arrays of handles, split evenly when the number of handles is larger
+ * than Win32Natives.MAXIMUM_WAIT_OBJECTS
+ */
+ protected long[][] fHandleValueArrays;
+ /**
+ * Mapping of handles (java.lang.Long) to absolute paths
+ * (java.lang.String).
+ */
+ protected Map fHandleValueToHandle;
+ protected IRefreshResult refreshResult;
+
+ /*
+ * Creates a new monitor. @param result A result that will recieve refresh
+ * callbacks and error notifications
+ */
+ public Win32Monitor(IRefreshResult result) {
+ super(Messages.WM_jobName);
+ this.refreshResult = result;
+ setPriority(Job.DECORATE);
+ setSystem(true);
+ fHandleValueToHandle = new HashMap(1);
+ setHandleValueArrays(createHandleArrays());
+ }
+
+ /**
+ * Logs an exception
+ */
+ protected synchronized void addException(String message) {
+ if (errors == null) {
+ String msg = Messages.WM_errors;
+ errors = new MultiStatus(ResourcesPlugin.PI_RESOURCES, 1, msg, null);
+ }
+ errors.add(new Status(IStatus.ERROR, ResourcesPlugin.PI_RESOURCES, 1, message, null));
+ }
+
+ /*
+ * Splits the given array into arrays of length no greater than max
+ *
. The lengths of the sub arrays differ in size by no more than
+ * one element. Examples:
If an array of size 11 is split
+ * with a max of 4, the resulting arrays are of size 4, 4, and 3.
+ * If an array of size 18 is split with a max of 5, the resulting
+ * arrays are of size 5, 5, 4, and 4.
+ */
+ private long[][] balancedSplit(final long[] array, final int max) {
+ int elementCount = array.length;
+ // want to handle [1, max] rather than [0, max)
+ int subArrayCount = ((elementCount - 1) / max) + 1;
+ int subArrayBaseLength = elementCount / subArrayCount;
+ int overflow = elementCount % subArrayCount;
+ long[][] result = new long[subArrayCount][];
+ int count = 0;
+ for (int i = 0; i < subArrayCount; i++) {
+ int subArrayLength = subArrayBaseLength + (overflow-- > 0 ? 1 : 0);
+ long[] subArray = new long[subArrayLength];
+ for (int j = 0; j < subArrayLength; j++) {
+ subArray[j] = array[count++];
+ }
+ result[i] = subArray;
+ }
+ return result;
+ }
+
+ private Handle createHandle(IResource resource) {
+ if (resource.isLinked())
+ return new LinkedResourceHandle(resource);
+ return new ResourceHandle(resource);
+ }
+
+ /*
+ * Since the Win32Natives.WaitForMultipleObjects(...) method cannot accept
+ * more than a certain number of objects, we are forced to split the array
+ * of objects to monitor and monitor each one individually. This method
+ * splits the list of handles into arrays no larger than
+ * Win32Natives.MAXIMUM_WAIT_OBJECTS. The arrays are balenced so that they
+ * differ in size by no more than one element.
+ */
+ protected long[][] createHandleArrays() {
+ long[] handles;
+ // synchronized: in order to protect the map during iteration
+ synchronized (fHandleValueToHandle) {
+ Set keys = fHandleValueToHandle.keySet();
+ int size = keys.size();
+ if (size == 0) {
+ return new long[0][0];
+ }
+ handles = new long[size];
+ int count = 0;
+ for (Iterator i = keys.iterator(); i.hasNext();) {
+ handles[count++] = ((Long) i.next()).longValue();
+ }
+ }
+ return balancedSplit(handles, Win32Natives.MAXIMUM_WAIT_OBJECTS);
+ }
+
+ private Handle getHandle(IResource resource) {
+ if (resource == null) {
+ return null;
+ }
+ // synchronized: in order to protect the map during iteration
+ synchronized (fHandleValueToHandle) {
+ for (Iterator i = fHandleValueToHandle.values().iterator(); i.hasNext();) {
+ Handle handle = (Handle) i.next();
+ if (handle instanceof ResourceHandle) {
+ ResourceHandle resourceHandle = (ResourceHandle) handle;
+ if (resourceHandle.getResource().equals(resource)) {
+ return handle;
+ }
+ }
+ }
+ }
+ return null;
+ }
+
+ /*
+ * Answers arrays of handles. The handles are split evenly when the number
+ * of handles becomes larger than Win32Natives.MAXIMUM_WAIT_OBJECTS.
+ * @return long[][]
+ */
+ private long[][] getHandleValueArrays() {
+ return fHandleValueArrays;
+ }
+
+ /**
+ * Adds a resource to be monitored by this native monitor
+ */
+ public boolean monitor(IResource resource) {
+ IPath location = resource.getLocation();
+ if (location == null) {
+ // cannot monitor remotely managed containers
+ return false;
+ }
+ Handle handle = createHandle(resource);
+ // synchronized: handle creation must be atomic
+ synchronized (this) {
+ handle.open();
+ }
+ if (!handle.isOpen()) {
+ //ignore errors if we can't even create a handle on the resource
+ //it will fall back to polling anyway
+ errors = null;
+ return false;
+ }
+ //make sure the job is running
+ schedule(RESCHEDULE_DELAY);
+ if (RefreshManager.DEBUG)
+ System.out.println(DEBUG_PREFIX + " added monitor for: " + resource); //$NON-NLS-1$
+ return true;
+ }
+
+ /**
+ * Removes the handle from the fHandleValueToHandle
map.
+ *
+ * @param handle
+ * a handle, not null
+ */
+ protected void removeHandle(Handle handle) {
+ List handles = new ArrayList(1);
+ handles.add(handle);
+ removeHandles(handles);
+ }
+
+ /**
+ * Removes all of the handles in the given collection from the fHandleValueToHandle
+ * map. If collections from the fHandleValueToHandle
map are
+ * used, copy them before passing them in as this method modifies the
+ * fHandleValueToHandle
map.
+ *
+ * @param handles
+ * a collection of handles, not null
+ */
+ private void removeHandles(Collection handles) {
+ // synchronized: protect the array, removal must be atomic
+ synchronized (this) {
+ for (Iterator i = handles.iterator(); i.hasNext();) {
+ Handle handle = (Handle) i.next();
+ fHandleValueToHandle.remove(new Long(handle.getHandleValue()));
+ handle.destroy();
+ }
+ setHandleValueArrays(createHandleArrays());
+ }
+ }
+
+ /*
+ * @see java.lang.Runnable#run()
+ */
+ protected IStatus run(IProgressMonitor monitor) {
+ long start = -System.currentTimeMillis();
+ if (RefreshManager.DEBUG)
+ System.out.println(DEBUG_PREFIX + "job started."); //$NON-NLS-1$
+ try {
+ long[][] handleArrays = getHandleValueArrays();
+ monitor.beginTask(Messages.WM_beginTask, handleArrays.length);
+ // If changes occur to the list of handles,
+ // ignore them until the next time through the loop.
+ for (int i = 0, length = handleArrays.length; i < length; i++) {
+ if (monitor.isCanceled())
+ return Status.CANCEL_STATUS;
+ waitForNotification(handleArrays[i]);
+ monitor.worked(1);
+ }
+ } finally {
+ monitor.done();
+ start += System.currentTimeMillis();
+ if (RefreshManager.DEBUG)
+ System.out.println(DEBUG_PREFIX + "job finished in: " + start + "ms"); //$NON-NLS-1$ //$NON-NLS-2$
+ }
+ //always reschedule the job - so it will come back after errors or cancelation
+ //make sure it doesn't hog more that 5% of CPU
+ long delay = Math.max(RESCHEDULE_DELAY, start * 30);
+ if (RefreshManager.DEBUG)
+ System.out.println(DEBUG_PREFIX + "rescheduling in: " + delay / 1000 + " seconds"); //$NON-NLS-1$ //$NON-NLS-2$
+ final Bundle bundle = Platform.getBundle(ResourcesPlugin.PI_RESOURCES);
+ //if the bundle is null then the framework has shutdown - just bail out completely (bug 98219)
+ if (bundle == null)
+ return Status.OK_STATUS;
+ //don't reschedule the job if the resources plugin has been shut down
+ if (bundle.getState() == Bundle.ACTIVE)
+ schedule(delay);
+ MultiStatus result = errors;
+ errors = null;
+ //just log native refresh failures
+ if (result != null && !result.isOK())
+ ResourcesPlugin.getPlugin().getLog().log(result);
+ return Status.OK_STATUS;
+ }
+
+ protected void setHandleValueArrays(long[][] arrays) {
+ fHandleValueArrays = arrays;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.runtime.jobs.Job#shouldRun()
+ */
+ public boolean shouldRun() {
+ return !fHandleValueToHandle.isEmpty();
+ }
+
+ /*
+ * @see org.eclipse.core.resources.refresh.IRefreshMonitor#unmonitor(IContainer)
+ */
+ public void unmonitor(IResource resource) {
+ if (resource == null) {
+ // resource == null means stop monitoring all resources
+ synchronized (fHandleValueToHandle) {
+ removeHandles(new ArrayList(fHandleValueToHandle.values()));
+ }
+ } else {
+ Handle handle = getHandle(resource);
+ if (handle != null)
+ removeHandle(handle);
+ }
+ //stop the job if there are no more handles
+ if (fHandleValueToHandle.isEmpty())
+ cancel();
+ }
+
+ /**
+ * Performs the native call to wait for notification on one of the given
+ * handles.
+ *
+ * @param handleValues
+ * an array of handles, it must contain no duplicates.
+ */
+ private void waitForNotification(long[] handleValues) {
+ int handleCount = handleValues.length;
+ int index = Win32Natives.WaitForMultipleObjects(handleCount, handleValues, false, WAIT_FOR_MULTIPLE_OBJECTS_TIMEOUT);
+ if (index == Win32Natives.WAIT_TIMEOUT) {
+ // nothing happened.
+ return;
+ }
+ if (index == Win32Natives.WAIT_FAILED) {
+ // we ran into a problem
+ int error = Win32Natives.GetLastError();
+ if (error != Win32Natives.ERROR_INVALID_HANDLE && error != Win32Natives.ERROR_SUCCESS) {
+ addException(NLS.bind(Messages.WM_nativeErr, Integer.toString(error)));
+ refreshResult.monitorFailed(this, null);
+ }
+ return;
+ }
+ // a change occurred
+ // WaitForMultipleObjects returns WAIT_OBJECT_0 + index
+ index -= Win32Natives.WAIT_OBJECT_0;
+ Handle handle = (Handle) fHandleValueToHandle.get(new Long(handleValues[index]));
+ if (handle != null)
+ handle.handleNotification();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32Natives.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32Natives.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,347 @@
+/*******************************************************************************
+ * Copyright (c) 2002, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.refresh.win32;
+
+
+/**
+ * Hooks for native methods involved with win32 auto-refresh callbacks.
+ */
+public class Win32Natives {
+ /* general purpose */
+ /**
+ * A general use constant expressing the value of an
+ * invalid handle.
+ */
+ public static final long INVALID_HANDLE_VALUE;
+ /**
+ * An error constant which indicates that the previous function
+ * succeeded.
+ */
+ public static final int ERROR_SUCCESS;
+ /**
+ * An error constant which indicates that a handle is or has become
+ * invalid.
+ */
+ public static final int ERROR_INVALID_HANDLE;
+ /**
+ * The combination of all of the error constants.
+ */
+ public static int FILE_NOTIFY_ALL;
+ /**
+ * A constant which indicates the maximum number of objects
+ * that can be passed into WaitForMultipleObjects.
+ */
+ public static final int MAXIMUM_WAIT_OBJECTS;
+ /**
+ * A constant which indicates the maximum length of a pathname.
+ */
+ public static final int MAX_PATH;
+ /**
+ * A constant which expresses the concept of the infinite.
+ */
+ public static final int INFINITE;
+
+ /* wait return values */
+ /**
+ * A constant used returned WaitForMultipleObjects when the function times out.
+ */
+ public static final int WAIT_TIMEOUT;
+ /**
+ * A constant used by WaitForMultipleObjects to indicate the object which was
+ * signaled.
+ */
+ public static final int WAIT_OBJECT_0;
+ /**
+ * A constant returned by WaitForMultipleObjects which indicates
+ * that the wait failed.
+ */
+ public static final int WAIT_FAILED;
+
+ /* wait notification filter masks */
+ /**
+ * Change filter for monitoring file rename, creation or deletion.
+ */
+ public static final int FILE_NOTIFY_CHANGE_FILE_NAME;
+ /**
+ * Change filter for monitoring directory creation or deletion.
+ */
+ public static final int FILE_NOTIFY_CHANGE_DIR_NAME;
+ /**
+ * Change filter for monitoring file/directory attribute changes.
+ */
+ public static final int FILE_NOTIFY_CHANGE_ATTRIBUTES;
+ /**
+ * Change filter for monitoring file size changes.
+ */
+ public static final int FILE_NOTIFY_CHANGE_SIZE;
+ /**
+ * Change filter for monitoring the file write timestamp
+ */
+ public static final int FILE_NOTIFY_CHANGE_LAST_WRITE;
+ /**
+ * Change filter for monitoring the security descriptors
+ * of files.
+ */
+ public static final int FILE_NOTIFY_CHANGE_SECURITY;
+
+ /**
+ * Flag indicating whether or not the OS supports unicode calls.
+ */
+ public static final boolean UNICODE;
+ /*
+ * Make requests to set the constants.
+ */
+ static {
+ System.loadLibrary("win32refresh"); //$NON-NLS-1$
+ UNICODE= IsUnicode();
+ INVALID_HANDLE_VALUE= INVALID_HANDLE_VALUE();
+ ERROR_SUCCESS= ERROR_SUCCESS();
+ ERROR_INVALID_HANDLE= ERROR_INVALID_HANDLE();
+
+ MAXIMUM_WAIT_OBJECTS= MAXIMUM_WAIT_OBJECTS();
+ MAX_PATH= MAX_PATH();
+ INFINITE= INFINITE();
+
+ WAIT_TIMEOUT= WAIT_TIMEOUT();
+ WAIT_OBJECT_0= WAIT_OBJECT_0();
+ WAIT_FAILED= WAIT_FAILED();
+
+ FILE_NOTIFY_CHANGE_FILE_NAME= FILE_NOTIFY_CHANGE_FILE_NAME();
+ FILE_NOTIFY_CHANGE_DIR_NAME= FILE_NOTIFY_CHANGE_DIR_NAME();
+ FILE_NOTIFY_CHANGE_ATTRIBUTES= FILE_NOTIFY_CHANGE_ATTRIBUTES();
+ FILE_NOTIFY_CHANGE_SIZE= FILE_NOTIFY_CHANGE_SIZE();
+ FILE_NOTIFY_CHANGE_LAST_WRITE= FILE_NOTIFY_CHANGE_LAST_WRITE();
+ FILE_NOTIFY_CHANGE_SECURITY= FILE_NOTIFY_CHANGE_SECURITY();
+ FILE_NOTIFY_ALL=
+ FILE_NOTIFY_CHANGE_FILE_NAME |
+ FILE_NOTIFY_CHANGE_DIR_NAME |
+ FILE_NOTIFY_CHANGE_ATTRIBUTES |
+ FILE_NOTIFY_CHANGE_SIZE |
+ FILE_NOTIFY_CHANGE_LAST_WRITE |
+ FILE_NOTIFY_CHANGE_SECURITY;
+ }
+
+ /**
+ * Creates a change notification object for the given path. The notification
+ * object allows the client to monitor changes to the directory and the
+ * subtree under the directory using FindNextChangeNotification or
+ * WaitForMultipleObjects.
+ *
+ * If the OS supports unicode the path must be no longer than 2^15 - 1 characters.
+ * Otherwise, the path cannot be longer than MAX_PATH. In either case, if the given
+ * path is too long ERROR_INVALID_HANDLE is returned.
+ *
+ * @param lpPathName The path of the file.
+ * @param bWatchSubtree If true
, specifies that the entire
+ * tree under the given path should be monitored. If false
+ * specifies that just the named path should be monitored.
+ * @param dwNotifyFilter Any combination of FILE_NOTIFY_CHANGE_FILE_NAME,
+ * FILE_NOTIFY_CHANGE_DIR_NAME, FILE_NOTIFY_CHANGE_ATTRIBUTES,
+ * FILE_NOTIFY_CHANGE_SIZE, FILE_NOTIFY_CHANGE_LAST_WRITE, or
+ * FILE_NOTIFY_CHANGE_SECURITY.
+ * @return long The handle to the find change notification object or
+ * ERROR_INVALID_HANDLE if the attempt fails.
+ */
+ public static long FindFirstChangeNotification(String lpPathName, boolean bWatchSubtree, int dwNotifyFilter) {
+ if (UNICODE)
+ return FindFirstChangeNotificationW(lpPathName, bWatchSubtree, dwNotifyFilter);
+ return FindFirstChangeNotificationA(Convert.toPlatformBytes(lpPathName), bWatchSubtree, dwNotifyFilter);
+ }
+ /**
+ * Creates a change notification object for the given path. This notification object
+ * allows the client to monitor changes to the directory and the subtree
+ * under the directory using FindNextChangeNotification or
+ * WaitForMultipleObjects.
+ *
+ * @param lpPathName The path to the directory to be monitored. Cannot be null
,
+ * or longer than 2^15 - 1 characters.
+ * @param bWatchSubtree If true
, specifies that the entire
+ * tree under the given path should be monitored. If false
+ * specifies that just the named path should be monitored.
+ * @param dwNotifyFilter Any combination of FILE_NOTIFY_CHANGE_FILE_NAME,
+ * FILE_NOTIFY_CHANGE_DIR_NAME, FILE_NOTIFY_CHANGE_ATTRIBUTES,
+ * FILE_NOTIFY_CHANGE_SIZE, FILE_NOTIFY_CHANGE_LAST_WRITE, or
+ * FILE_NOTIFY_CHANGE_SECURITY.
+ * @return long The handle to the find change notification object or
+ * ERROR_INVALID_HANDLE if the attempt fails.
+ */
+ private static native long FindFirstChangeNotificationW(String lpPathName, boolean bWatchSubtree, int dwNotifyFilter);
+
+ /**
+ * Creates a change notification object for the given path. This notification object
+ * allows the client to monitor changes to the directory and the subtree
+ * under the directory using FindNextChangeNotification or
+ * WaitForMultipleObjects.
+ *
+ * @param lpPathName The path to the directory to be monitored, cannot be null
,
+ * or be longer
+ * than MAX_PATH. This path must be in platform bytes converted.
+ * @param bWatchSubtree If true
, specifies that the entire
+ * tree under the given path should be monitored. If false
+ * specifies that just the named path should be monitored.
+ * @param dwNotifyFilter Any combination of FILE_NOTIFY_CHANGE_FILE_NAME,
+ * FILE_NOTIFY_CHANGE_DIR_NAME, FILE_NOTIFY_CHANGE_ATTRIBUTES,
+ * FILE_NOTIFY_CHANGE_SIZE, FILE_NOTIFY_CHANGE_LAST_WRITE, or
+ * FILE_NOTIFY_CHANGE_SECURITY.
+ * @return long The handle to the find change notification object or
+ * ERROR_INVALID_HANDLE if the attempt fails.
+ */
+ private static native long FindFirstChangeNotificationA(byte[] lpPathName, boolean bWatchSubtree, int dwNotifyFilter);
+
+
+ /**
+ * Stops and disposes of the change notification object that corresponds to the given
+ * handle. The handle cannot be used in future calls to FindNextChangeNotification or
+ * WaitForMultipleObjects
+ *
+ * @param hChangeHandle a handle which was created with FindFirstChangeNotification
+ * @return boolean true
if the method succeeds, false
+ * otherwise.
+ */
+ public static native boolean FindCloseChangeNotification(long hChangeHandle);
+
+ /**
+ * Requests that the next change detected be signaled. This method should only be
+ * called after FindFirstChangeNotification or WaitForMultipleObjects. Once this
+ * method has been called on a given handle, further notification requests can be made
+ * through the WaitForMultipleObjects call.
+ * @param hChangeHandle a handle which was created with FindFirstChangeNotification
+ * @return boolean true
if the method succeeds, false
otherwise.
+ */
+ public static native boolean FindNextChangeNotification(long hChangeHandle);
+
+ /**
+ * Returns when one of the following occurs.
+ *
+ * One of the objects is signaled, when bWaitAll is false
+ * All of the objects are signaled, when bWaitAll is true
+ * The timeout interval of dwMilliseconds elapses.
+ *
+ * @param nCount The number of handles, cannot be greater than MAXIMUM_WAIT_OBJECTS.
+ * @param lpHandles The array of handles to objects to be waited upon cannot contain
+ * duplicate handles.
+ * @param bWaitAll If true
requires all objects to be signaled before this
+ * method returns. If false
, indicates that only one object need be
+ * signaled for this method to return.
+ * @param dwMilliseconds A timeout value in milliseconds. If zero, the function tests
+ * the objects and returns immediately. If INFINITE, the function will only return
+ * when the objects have been signaled.
+ * @return int WAIT_TIMEOUT when the function times out before recieving a signal.
+ * WAIT_OBJECT_0 + n when a signal for the handle at index n. WAIT_FAILED when this
+ * function fails.
+ */
+ public static native int WaitForMultipleObjects(int nCount, long[] lpHandles, boolean bWaitAll, int dwMilliseconds);
+
+ /**
+ * Answers true
if the operating system supports
+ * long filenames.
+ * @return boolean true
if the operating system supports
+ * long filenames, false
otherwise.
+ */
+ private static native boolean IsUnicode();
+
+ /**
+ * Answers the last error set in the current thread.
+ * @return int the last error
+ */
+ public static native int GetLastError();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_LAST_WRITE.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_LAST_WRITE();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_DIR_NAME.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_DIR_NAME();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_ATTRIBUTES.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_ATTRIBUTES();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_SIZE.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_SIZE();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_FILE_NAME.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_FILE_NAME();
+
+ /**
+ * Returns the constant FILE_NOTIFY_CHANGE_SECURITY.
+ * @return int
+ */
+ private static native int FILE_NOTIFY_CHANGE_SECURITY();
+
+ /**
+ * Returns the constant MAXIMUM_WAIT_OBJECTS.
+ * @return int
+ */
+ private static native int MAXIMUM_WAIT_OBJECTS();
+
+ /**
+ * Returns the constant MAX_PATH.
+ * @return int
+ */
+ private static native int MAX_PATH();
+
+ /**
+ * Returns the constant INFINITE.
+ * @return int
+ */
+ private static native int INFINITE();
+
+ /**
+ * Returns the constant WAIT_OBJECT_0.
+ * @return int
+ */
+ private static native int WAIT_OBJECT_0();
+
+ /**
+ * Returns the constant WAIT_FAILED.
+ * @return int
+ */
+ private static native int WAIT_FAILED();
+
+ /**
+ * Returns the constant WAIT_TIMEOUT.
+ * @return int
+ */
+ private static native int WAIT_TIMEOUT();
+
+ /**
+ * Returns the constant ERROR_INVALID_HANDLE.
+ * @return int
+ */
+ private static native int ERROR_INVALID_HANDLE();
+
+ /**
+ * Returns the constant ERROR_SUCCESS.
+ * @return int
+ */
+ private static native int ERROR_SUCCESS();
+
+ /**
+ * Returns the constant INVALID_HANDLE_VALUE.
+ * @return long
+ */
+ private static native long INVALID_HANDLE_VALUE();
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32RefreshProvider.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/resources/refresh/win32/Win32RefreshProvider.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,39 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.resources.refresh.win32;
+
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.resources.refresh.*;
+
+/**
+ * The Win32RefreshProvider
creates monitors that
+ * can monitor drives on Win32 platforms.
+ *
+ * @see org.eclipse.core.resources.refresh.RefreshProvider
+ */
+public class Win32RefreshProvider extends RefreshProvider {
+ private Win32Monitor monitor;
+
+ /**
+ * Creates a standard Win32 monitor if the given resource is local.
+ *
+ * @see org.eclipse.core.resources.refresh.RefreshProvider#installMonitor(IResource,IRefreshResult)
+ */
+ public IRefreshMonitor installMonitor(IResource resource, IRefreshResult result) {
+ if (resource.getLocation() == null || !resource.exists() || resource.getType() == IResource.FILE)
+ return null;
+ if (monitor == null)
+ monitor = new Win32Monitor(result);
+ if (monitor.monitor(resource))
+ return monitor;
+ return null;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/ArrayIterator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/ArrayIterator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,61 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.Iterator;
+import java.util.NoSuchElementException;
+
+/**
+ * An object that iterates over the elements of an array
+ */
+public class ArrayIterator implements Iterator {
+ Object[] elements;
+ int index;
+ int lastElement;
+
+ /**
+ * Returns new array enumeration over the given object array
+ */
+ public ArrayIterator(Object[] elements) {
+ this(elements, 0, elements.length - 1);
+ }
+
+ /**
+ * Returns new array enumeration over the given object array
+ */
+ public ArrayIterator(Object[] elements, int firstElement, int lastElement) {
+ super();
+ this.elements = elements;
+ index = firstElement;
+ this.lastElement = lastElement;
+ }
+
+ /**
+ * Returns true if this enumeration contains more elements.
+ */
+ public boolean hasNext() {
+ return elements != null && index <= lastElement;
+ }
+
+ /**
+ * Returns the next element of this enumeration.
+ * @exception NoSuchElementException if no more elements exist.
+ */
+ public Object next() throws NoSuchElementException {
+ if (!hasNext())
+ throw new NoSuchElementException();
+ return elements[index++];
+ }
+
+ public void remove() {
+ throw new UnsupportedOperationException();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/BitMask.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/BitMask.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,23 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+/**
+ * Utility methods for manipulating bit masks
+ */
+public class BitMask {
+ /**
+ * Returns true if all of the bits indicated by the mask are set.
+ */
+ public static boolean isSet(int flags, int mask) {
+ return (flags & mask) == mask;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Cache.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Cache.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,201 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import org.eclipse.core.runtime.Assert;
+
+/**
+ * A cache that keeps a collection of at most maximumCapacity+threshold entries.
+ * When the number of entries exceeds that limit, least recently used entries are removed
+ * so the current size is the same as the maximum capacity.
+ */
+public class Cache {
+ public class Entry implements KeyedHashSet.KeyedElement {
+ Object cached;
+ Object key;
+ Entry next;
+ Entry previous;
+ long timestamp;
+
+ public Entry(Object key, Object cached, long timestamp) {
+ this.key = key;
+ this.cached = cached;
+ this.timestamp = timestamp;
+ }
+
+ public boolean compare(KeyedHashSet.KeyedElement other) {
+ if (!(other instanceof Entry))
+ return false;
+ Entry otherEntry = (Entry) other;
+ return key.equals(otherEntry.key);
+ }
+
+ /* Removes this entry from the cache */
+ public void discard() {
+ unchain();
+ cached = null;
+ entries.remove(this);
+ }
+
+ public Object getCached() {
+ return cached;
+ }
+
+ public Object getKey() {
+ return key;
+ }
+
+ public int getKeyHashCode() {
+ return key.hashCode();
+ }
+
+ public Entry getNext() {
+ return next;
+ }
+
+ public Entry getPrevious() {
+ return previous;
+ }
+
+ public long getTimestamp() {
+ return timestamp;
+ }
+
+ public boolean isHead() {
+ return previous == null;
+ }
+
+ public boolean isTail() {
+ return next == null;
+ }
+
+ /* Inserts into the head of the list */
+ void makeHead() {
+ Entry oldHead = head;
+ head = this;
+ next = oldHead;
+ previous = null;
+ if (oldHead == null)
+ tail = this;
+ else
+ oldHead.previous = this;
+ }
+
+ public void setCached(Object cached) {
+ this.cached = cached;
+ }
+
+ public void setTimestamp(long timestamp) {
+ this.timestamp = timestamp;
+ }
+
+ public String toString() {
+ return key + " -> " + cached + " [" + timestamp + ']'; //$NON-NLS-1$ //$NON-NLS-2$
+ }
+
+ /* Removes from the linked list, but not from the entries collection */
+ void unchain() {
+ // it may be in the tail
+ if (tail == this)
+ tail = previous;
+ else
+ next.previous = previous;
+ // it may be in the head
+ if (head == this)
+ head = next;
+ else
+ previous.next = next;
+ }
+ }
+
+ KeyedHashSet entries;
+ Entry head;
+ private int maximumCapacity;
+ Entry tail;
+ private double threshold;
+
+ public Cache(int maximumCapacity) {
+ this(Math.min(KeyedHashSet.MINIMUM_SIZE, maximumCapacity), maximumCapacity, 0.25);
+ }
+
+ public Cache(int initialCapacity, int maximumCapacity, double threshold) {
+ Assert.isTrue(maximumCapacity >= initialCapacity, "maximum capacity < initial capacity"); //$NON-NLS-1$
+ Assert.isTrue(threshold >= 0 && threshold <= 1, "threshold should be between 0 and 1"); //$NON-NLS-1$
+ Assert.isTrue(initialCapacity > 0, "initial capacity must be greater than zero"); //$NON-NLS-1$
+ entries = new KeyedHashSet(initialCapacity);
+ this.maximumCapacity = maximumCapacity;
+ this.threshold = threshold;
+ }
+
+ public void addEntry(Object key, Object toCache) {
+ addEntry(key, toCache, 0);
+ }
+
+ public Entry addEntry(Object key, Object toCache, long timestamp) {
+ Entry newHead = (Entry) entries.getByKey(key);
+ if (newHead == null)
+ entries.add(newHead = new Entry(key, toCache, timestamp));
+ newHead.cached = toCache;
+ newHead.timestamp = timestamp;
+ newHead.makeHead();
+ int extraEntries = entries.size() - maximumCapacity;
+ if (extraEntries > maximumCapacity * threshold)
+ // we have reached our limit - ensure we are under the maximum capacity
+ // by discarding older entries
+ packEntries(extraEntries);
+ return newHead;
+ }
+
+ public Entry getEntry(Object key) {
+ return getEntry(key, true);
+ }
+
+ public Entry getEntry(Object key, boolean update) {
+ Entry existing = (Entry) entries.getByKey(key);
+ if (existing == null)
+ return null;
+ if (!update)
+ return existing;
+ existing.unchain();
+ existing.makeHead();
+ return existing;
+ }
+
+ public Entry getHead() {
+ return head;
+ }
+
+ public Entry getTail() {
+ return tail;
+ }
+
+ private void packEntries(int extraEntries) {
+ // should remove in an ad-hoc way to get better performance
+ Entry current = tail;
+ for (; current != null && extraEntries > 0; extraEntries--) {
+ current.discard();
+ current = current.previous;
+ }
+ }
+
+ public long size() {
+ return entries.size();
+ }
+
+ public void discardAll() {
+ entries.clear();
+ }
+
+ public void dispose() {
+ discardAll();
+ entries = null;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Convert.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Convert.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,86 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.io.UnsupportedEncodingException;
+
+public class Convert {
+
+ /**
+ * Converts the string argument to a byte array.
+ */
+ public static String fromUTF8(byte[] b) {
+ String result;
+ try {
+ result = new String(b, "UTF8"); //$NON-NLS-1$
+ } catch (UnsupportedEncodingException e) {
+ result = new String(b);
+ }
+ return result;
+ }
+
+ /**
+ * Converts the string argument to a byte array.
+ */
+ public static byte[] toUTF8(String s) {
+ byte[] result;
+ try {
+ result = s.getBytes("UTF8"); //$NON-NLS-1$
+ } catch (UnsupportedEncodingException e) {
+ result = s.getBytes();
+ }
+ return result;
+ }
+
+ /**
+ * Performs conversion of a long value to a byte array representation.
+ *
+ * @see #bytesToLong(byte[])
+ */
+ public static byte[] longToBytes(long value) {
+
+ // A long value is 8 bytes in length.
+ byte[] bytes = new byte[8];
+
+ // Convert and copy value to byte array:
+ // -- Cast long to a byte to retrieve least significant byte;
+ // -- Left shift long value by 8 bits to isolate next byte to be converted;
+ // -- Repeat until all 8 bytes are converted (long = 64 bits).
+ // Note: In the byte array, the least significant byte of the long is held in
+ // the highest indexed array bucket.
+
+ for (int i = 0; i < bytes.length; i++) {
+ bytes[(bytes.length - 1) - i] = (byte) value;
+ value >>>= 8;
+ }
+
+ return bytes;
+ }
+
+ /**
+ * Performs conversion of a byte array to a long representation.
+ *
+ * @see #longToBytes(long)
+ */
+ public static long bytesToLong(byte[] value) {
+
+ long longValue = 0L;
+
+ // See method convertLongToBytes(long) for algorithm details.
+ for (int i = 0; i < value.length; i++) {
+ // Left shift has no effect thru first iteration of loop.
+ longValue <<= 8;
+ longValue ^= value[i] & 0xFF;
+ }
+
+ return longValue;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/FileUtil.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/FileUtil.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,259 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ * Martin Oberhuber (Wind River) - [44107] Add symbolic links to ResourceAttributes API
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.io.*;
+import java.net.URI;
+import org.eclipse.core.filesystem.*;
+import org.eclipse.core.filesystem.URIUtil;
+import org.eclipse.core.internal.resources.ResourceException;
+import org.eclipse.core.internal.resources.Workspace;
+import org.eclipse.core.resources.IResourceStatus;
+import org.eclipse.core.resources.ResourceAttributes;
+import org.eclipse.core.runtime.*;
+import org.eclipse.osgi.util.NLS;
+
+/**
+ * Static utility methods for manipulating Files and URIs.
+ */
+public class FileUtil {
+ /**
+ * Singleton buffer created to prevent buffer creations in the
+ * transferStreams method. Used as an optimization, based on the assumption
+ * that multiple writes won't happen in a given instance of FileStore.
+ */
+ private static final byte[] buffer = new byte[8192];
+
+ /**
+ * Converts a ResourceAttributes object into an IFileInfo object.
+ * @param attributes The resource attributes
+ * @return The file info
+ */
+ public static IFileInfo attributesToFileInfo(ResourceAttributes attributes) {
+ IFileInfo fileInfo = EFS.createFileInfo();
+ fileInfo.setAttribute(EFS.ATTRIBUTE_READ_ONLY, attributes.isReadOnly());
+ fileInfo.setAttribute(EFS.ATTRIBUTE_EXECUTABLE, attributes.isExecutable());
+ fileInfo.setAttribute(EFS.ATTRIBUTE_ARCHIVE, attributes.isArchive());
+ fileInfo.setAttribute(EFS.ATTRIBUTE_HIDDEN, attributes.isHidden());
+ return fileInfo;
+ }
+
+ /**
+ * Converts an IPath into its canonical form for the local file system.
+ */
+ public static IPath canonicalPath(IPath path) {
+ if (path == null)
+ return null;
+ try {
+ final String pathString = path.toOSString();
+ final String canonicalPath = new java.io.File(pathString).getCanonicalPath();
+ //only create a new path if necessary
+ if (canonicalPath.equals(pathString))
+ return path;
+ return new Path(canonicalPath);
+ } catch (IOException e) {
+ return path;
+ }
+ }
+
+ /**
+ * Converts a URI into its canonical form.
+ */
+ public static URI canonicalURI(URI uri) {
+ if (uri == null)
+ return null;
+ if (EFS.SCHEME_FILE.equals(uri.getScheme())) {
+ //only create a new URI if it is different
+ final IPath inputPath = URIUtil.toPath(uri);
+ final IPath canonicalPath = canonicalPath(inputPath);
+ if (inputPath == canonicalPath)
+ return uri;
+ return URIUtil.toURI(canonicalPath);
+ }
+ return uri;
+ }
+
+ /**
+ * Returns true if the given file system locations overlap. If "bothDirections" is true,
+ * this means they are the same, or one is a proper prefix of the other. If "bothDirections"
+ * is false, this method only returns true if the locations are the same, or the first location
+ * is a prefix of the second. Returns false if the locations do not overlap
+ * Does the right thing with respect to case insensitive platforms.
+ */
+ private static boolean computeOverlap(IPath location1, IPath location2, boolean bothDirections) {
+ IPath one = location1;
+ IPath two = location2;
+ // If we are on a case-insensitive file system then convert to all lower case.
+ if (!Workspace.caseSensitive) {
+ one = new Path(location1.toOSString().toLowerCase());
+ two = new Path(location2.toOSString().toLowerCase());
+ }
+ return one.isPrefixOf(two) || (bothDirections && two.isPrefixOf(one));
+ }
+
+ /**
+ * Returns true if the given file system locations overlap. If "bothDirections" is true,
+ * this means they are the same, or one is a proper prefix of the other. If "bothDirections"
+ * is false, this method only returns true if the locations are the same, or the first location
+ * is a prefix of the second. Returns false if the locations do not overlap
+ */
+ private static boolean computeOverlap(URI location1, URI location2, boolean bothDirections) {
+ if (location1.equals(location2))
+ return true;
+ String scheme1 = location1.getScheme();
+ String scheme2 = location2.getScheme();
+ if (scheme1 == null ? scheme2 != null : !scheme1.equals(scheme2))
+ return false;
+ if (EFS.SCHEME_FILE.equals(scheme1) && EFS.SCHEME_FILE.equals(scheme2))
+ return computeOverlap(URIUtil.toPath(location1), URIUtil.toPath(location2), bothDirections);
+ IFileSystem system = null;
+ try {
+ system = EFS.getFileSystem(scheme1);
+ } catch (CoreException e) {
+ //handled below
+ }
+ if (system == null) {
+ //we are stuck with string comparison
+ String string1 = location1.toString();
+ String string2 = location2.toString();
+ return string1.startsWith(string2) || (bothDirections && string2.startsWith(string1));
+ }
+ IFileStore store1 = system.getStore(location1);
+ IFileStore store2 = system.getStore(location2);
+ return store1.equals(store2) || store1.isParentOf(store2) || (bothDirections && store2.isParentOf(store1));
+ }
+
+ /**
+ * Converts an IFileInfo object into a ResourceAttributes object.
+ * @param fileInfo The file info
+ * @return The resource attributes
+ */
+ public static ResourceAttributes fileInfoToAttributes(IFileInfo fileInfo) {
+ ResourceAttributes attributes = new ResourceAttributes();
+ attributes.setReadOnly(fileInfo.getAttribute(EFS.ATTRIBUTE_READ_ONLY));
+ attributes.setArchive(fileInfo.getAttribute(EFS.ATTRIBUTE_ARCHIVE));
+ attributes.setExecutable(fileInfo.getAttribute(EFS.ATTRIBUTE_EXECUTABLE));
+ attributes.setHidden(fileInfo.getAttribute(EFS.ATTRIBUTE_HIDDEN));
+ attributes.setSymbolicLink(fileInfo.getAttribute(EFS.ATTRIBUTE_SYMLINK));
+ return attributes;
+ }
+
+ /**
+ * Returns true if the given file system locations overlap, and false otherwise.
+ * Overlap means the locations are the same, or one is a proper prefix of the other.
+ */
+ public static boolean isOverlapping(URI location1, URI location2) {
+ return computeOverlap(location1, location2, true);
+ }
+
+ /**
+ * Returns true if location1 is the same as, or a proper prefix of, location2.
+ * Returns false otherwise.
+ */
+ public static boolean isPrefixOf(IPath location1, IPath location2) {
+ return computeOverlap(location1, location2, false);
+ }
+
+ /**
+ * Returns true if location1 is the same as, or a proper prefix of, location2.
+ * Returns false otherwise.
+ */
+ public static boolean isPrefixOf(URI location1, URI location2) {
+ return computeOverlap(location1, location2, false);
+ }
+
+ /**
+ * Closes a stream and ignores any resulting exception. This is useful
+ * when doing stream cleanup in a finally block where secondary exceptions
+ * are not worth logging.
+ */
+ public static void safeClose(InputStream in) {
+ try {
+ if (in != null)
+ in.close();
+ } catch (IOException e) {
+ //ignore
+ }
+ }
+
+ /**
+ * Closes a stream and ignores any resulting exception. This is useful
+ * when doing stream cleanup in a finally block where secondary exceptions
+ * are not worth logging.
+ */
+ public static void safeClose(OutputStream out) {
+ try {
+ if (out != null)
+ out.close();
+ } catch (IOException e) {
+ //ignore
+ }
+ }
+
+ /**
+ * Converts a URI to an IPath. Returns null if the URI cannot be represented
+ * as an IPath.
+ *
+ * Note this method differs from URIUtil in its handling of relative URIs
+ * as being relative to path variables.
+ */
+ public static IPath toPath(URI uri) {
+ if (uri == null)
+ return null;
+ final String scheme = uri.getScheme();
+ // null scheme represents path variable
+ if (scheme == null || EFS.SCHEME_FILE.equals(scheme))
+ return new Path(uri.getSchemeSpecificPart());
+ return null;
+ }
+
+ public static final void transferStreams(InputStream source, OutputStream destination, String path, IProgressMonitor monitor) throws CoreException {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ /*
+ * Note: although synchronizing on the buffer is thread-safe,
+ * it may result in slower performance in the future if we want
+ * to allow concurrent writes.
+ */
+ synchronized (buffer) {
+ while (true) {
+ int bytesRead = -1;
+ try {
+ bytesRead = source.read(buffer);
+ } catch (IOException e) {
+ String msg = NLS.bind(Messages.localstore_failedReadDuringWrite, path);
+ throw new ResourceException(IResourceStatus.FAILED_READ_LOCAL, new Path(path), msg, e);
+ }
+ if (bytesRead == -1)
+ break;
+ try {
+ destination.write(buffer, 0, bytesRead);
+ } catch (IOException e) {
+ String msg = NLS.bind(Messages.localstore_couldNotWrite, path);
+ throw new ResourceException(IResourceStatus.FAILED_WRITE_LOCAL, new Path(path), msg, e);
+ }
+ monitor.worked(1);
+ }
+ }
+ } finally {
+ safeClose(source);
+ safeClose(destination);
+ }
+ }
+
+ /**
+ * Not intended for instantiation.
+ */
+ private FileUtil() {
+ super();
+ }
+}
\ No newline at end of file
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/IStringPoolParticipant.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/IStringPoolParticipant.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,32 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+/**
+ * A string pool participant is used for sharing strings between several
+ * unrelated parties. Typically a single StringPool
instance
+ * will be created, and a group of participants will be asked to store their
+ * strings in the pool. This allows participants to share equal strings
+ * without creating explicit dependencies between each other.
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @see StringPool
+ * @since 3.1
+ */
+public interface IStringPoolParticipant {
+ /**
+ * Instructs this participant to share its strings in the provided
+ * pool.
+ */
+ public void shareStrings(StringPool pool);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/KeyedHashSet.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/KeyedHashSet.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,242 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+
+/** Adapted from a homonym class in org.eclipse.osgi. A hash table of
+ * KeyedElement
s.
+ */
+
+public class KeyedHashSet {
+ public interface KeyedElement {
+
+ public boolean compare(KeyedElement other);
+
+ public Object getKey();
+
+ public int getKeyHashCode();
+ }
+
+ protected static final int MINIMUM_SIZE = 7;
+ private int capacity;
+ protected int elementCount = 0;
+ protected KeyedElement[] elements;
+ protected boolean replace;
+
+ public KeyedHashSet(int capacity) {
+ this(capacity, true);
+ }
+
+ public KeyedHashSet(int capacity, boolean replace) {
+ elements = new KeyedElement[Math.max(MINIMUM_SIZE, capacity * 2)];
+ this.replace = replace;
+ this.capacity = capacity;
+ }
+
+ /**
+ * Adds an element to this set. If an element with the same key already exists,
+ * replaces it depending on the replace flag.
+ * @return true if the element was added/stored, false otherwise
+ */
+ public boolean add(KeyedElement element) {
+ int hash = hash(element);
+
+ // search for an empty slot at the end of the array
+ for (int i = hash; i < elements.length; i++) {
+ if (elements[i] == null) {
+ elements[i] = element;
+ elementCount++;
+ // grow if necessary
+ if (shouldGrow())
+ expand();
+ return true;
+ }
+ if (elements[i].compare(element)) {
+ if (replace)
+ elements[i] = element;
+ return replace;
+ }
+ }
+
+ // search for an empty slot at the beginning of the array
+ for (int i = 0; i < hash - 1; i++) {
+ if (elements[i] == null) {
+ elements[i] = element;
+ elementCount++;
+ // grow if necessary
+ if (shouldGrow())
+ expand();
+ return true;
+ }
+ if (elements[i].compare(element)) {
+ if (replace)
+ elements[i] = element;
+ return replace;
+ }
+ }
+
+ // if we didn't find a free slot, then try again with the expanded set
+ expand();
+ return add(element);
+ }
+
+ public void clear() {
+ elements = new KeyedElement[Math.max(MINIMUM_SIZE, capacity * 2)];
+ elementCount = 0;
+ }
+
+ /**
+ * The array isn't large enough so double its size and rehash
+ * all its current values.
+ */
+ protected void expand() {
+ KeyedElement[] oldElements = elements;
+ elements = new KeyedElement[elements.length * 2];
+
+ int maxArrayIndex = elements.length - 1;
+ for (int i = 0; i < oldElements.length; i++) {
+ KeyedElement element = oldElements[i];
+ if (element != null) {
+ int hash = hash(element);
+ while (elements[hash] != null) {
+ hash++;
+ if (hash > maxArrayIndex)
+ hash = 0;
+ }
+ elements[hash] = element;
+ }
+ }
+ }
+
+ /**
+ * Returns the set element with the given id, or null
+ * if not found.
+ */
+ public KeyedElement getByKey(Object key) {
+ if (elementCount == 0)
+ return null;
+ int hash = keyHash(key);
+
+ // search the last half of the array
+ for (int i = hash; i < elements.length; i++) {
+ KeyedElement element = elements[i];
+ if (element == null)
+ return null;
+ if (element.getKey().equals(key))
+ return element;
+ }
+
+ // search the beginning of the array
+ for (int i = 0; i < hash - 1; i++) {
+ KeyedElement element = elements[i];
+ if (element == null)
+ return null;
+ if (element.getKey().equals(key))
+ return element;
+ }
+
+ // nothing found so return null
+ return null;
+ }
+
+ private int hash(KeyedElement key) {
+ return Math.abs(key.getKeyHashCode()) % elements.length;
+ }
+
+ private int keyHash(Object key) {
+ return Math.abs(key.hashCode()) % elements.length;
+ }
+
+ /**
+ * The element at the given index has been removed so move
+ * elements to keep the set properly hashed.
+ */
+ protected void rehashTo(int anIndex) {
+
+ int target = anIndex;
+ int index = anIndex + 1;
+ if (index >= elements.length)
+ index = 0;
+ KeyedElement element = elements[index];
+ while (element != null) {
+ int hashIndex = hash(element);
+ boolean match;
+ if (index < target)
+ match = !(hashIndex > target || hashIndex <= index);
+ else
+ match = !(hashIndex > target && hashIndex <= index);
+ if (match) {
+ elements[target] = element;
+ target = index;
+ }
+ index++;
+ if (index >= elements.length)
+ index = 0;
+ element = elements[index];
+ }
+ elements[target] = null;
+ }
+
+ public boolean remove(KeyedElement toRemove) {
+ if (elementCount == 0)
+ return false;
+
+ int hash = hash(toRemove);
+
+ for (int i = hash; i < elements.length; i++) {
+ KeyedElement element = elements[i];
+ if (element == null)
+ return false;
+ if (element.compare(toRemove)) {
+ rehashTo(i);
+ elementCount--;
+ return true;
+ }
+ }
+
+ for (int i = 0; i < hash - 1; i++) {
+ KeyedElement element = elements[i];
+ if (element == null)
+ return false;
+ if (element.compare(toRemove)) {
+ rehashTo(i);
+ elementCount--;
+ return true;
+ }
+ }
+ return false;
+ }
+
+ private boolean shouldGrow() {
+ return elementCount > elements.length * 0.75;
+ }
+
+ public int size() {
+ return elementCount;
+ }
+
+ public String toString() {
+ StringBuffer result = new StringBuffer(100);
+ result.append('{');
+ boolean first = true;
+ for (int i = 0; i < elements.length; i++) {
+ if (elements[i] != null) {
+ if (first)
+ first = false;
+ else
+ result.append(", "); //$NON-NLS-1$
+ result.append(elements[i]);
+ }
+ }
+ result.append('}');
+ return result.toString();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Messages.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Messages.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,304 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import org.eclipse.osgi.util.NLS;
+
+public class Messages extends NLS {
+ private static final String BUNDLE_NAME = "org.eclipse.core.internal.utils.messages"; //$NON-NLS-1$
+
+ // dtree
+ public static String dtree_immutable;
+ public static String dtree_malformedTree;
+ public static String dtree_missingChild;
+ public static String dtree_notFound;
+ public static String dtree_notImmutable;
+ public static String dtree_reverse;
+ public static String dtree_subclassImplement;
+ public static String dtree_switchError;
+
+ // events
+ public static String events_builderError;
+ public static String events_building_0;
+ public static String events_building_1;
+ public static String events_errors;
+ public static String events_instantiate_1;
+ public static String events_invoking_1;
+ public static String events_invoking_2;
+ public static String events_skippingBuilder;
+ public static String events_unknown;
+
+ public static String history_copyToNull;
+ public static String history_copyToSelf;
+ public static String history_errorContentDescription;
+ public static String history_notValid;
+ public static String history_problemsCleaning;
+
+ public static String links_creating;
+ public static String links_errorLinkReconcile;
+ public static String links_invalidLocation;
+ public static String links_localDoesNotExist;
+ public static String links_locationOverlapsLink;
+ public static String links_locationOverlapsProject;
+ public static String links_natureVeto;
+ public static String links_noPath;
+ public static String links_overlappingResource;
+ public static String links_parentNotAccessible;
+ public static String links_notFileFolder;
+ public static String links_updatingDuplicate;
+ public static String links_vetoNature;
+ public static String links_workspaceVeto;
+ public static String links_wrongLocalType;
+
+ // local store
+ public static String localstore_copying;
+ public static String localstore_copyProblem;
+ public static String localstore_couldnotDelete;
+ public static String localstore_couldNotMove;
+ public static String localstore_couldNotRead;
+ public static String localstore_couldNotWrite;
+ public static String localstore_couldNotWriteReadOnly;
+ public static String localstore_deleteProblem;
+ public static String localstore_deleting;
+ public static String localstore_failedReadDuringWrite;
+ public static String localstore_fileExists;
+ public static String localstore_fileNotFound;
+ public static String localstore_locationUndefined;
+ public static String localstore_refreshing;
+ public static String localstore_refreshingRoot;
+ public static String localstore_resourceExists;
+ public static String localstore_resourceIsOutOfSync;
+
+ // resource mappings and models
+ public static String mapping_invalidDef;
+ public static String mapping_wrongType;
+ public static String mapping_noIdentifier;
+ public static String mapping_validate;
+ public static String mapping_multiProblems;
+
+ // internal.resources
+ public static String natures_duplicateNature;
+ public static String natures_hasCycle;
+ public static String natures_invalidDefinition;
+ public static String natures_invalidRemoval;
+ public static String natures_invalidSet;
+ public static String natures_missingIdentifier;
+ public static String natures_missingNature;
+ public static String natures_missingPrerequisite;
+ public static String natures_multipleSetMembers;
+
+ public static String pathvar_beginLetter;
+ public static String pathvar_invalidChar;
+ public static String pathvar_invalidValue;
+ public static String pathvar_length;
+ public static String pathvar_undefined;
+ public static String pathvar_whitespace;
+
+ public static String preferences_deleteException;
+ public static String preferences_loadException;
+ public static String preferences_operationCanceled;
+ public static String preferences_removeNodeException;
+ public static String preferences_clearNodeException;
+ public static String preferences_saveProblems;
+ public static String preferences_syncException;
+
+ public static String projRead_badLinkLocation;
+ public static String projRead_badLinkName;
+ public static String projRead_badLinkType;
+ public static String projRead_badLinkType2;
+ public static String projRead_badLocation;
+ public static String projRead_emptyLinkName;
+ public static String projRead_failureReadingProjectDesc;
+ public static String projRead_notProjectDescription;
+ public static String projRead_whichKey;
+ public static String projRead_whichValue;
+
+ public static String properties_couldNotClose;
+ public static String properties_qualifierIsNull;
+ public static String properties_readProperties;
+ public static String properties_valueTooLong;
+
+ // auto-refresh
+ public static String refresh_installError;
+ public static String refresh_jobName;
+ public static String refresh_pollJob;
+ public static String refresh_refreshErr;
+ public static String refresh_task;
+
+ public static String resources_cannotModify;
+ public static String resources_changeInAdd;
+ public static String resources_charsetBroadcasting;
+ public static String resources_charsetUpdating;
+ public static String resources_closing_0;
+ public static String resources_closing_1;
+ public static String resources_copyDestNotSub;
+ public static String resources_copying;
+ public static String resources_copying_0;
+ public static String resources_copyNotMet;
+ public static String resources_copyProblem;
+ public static String resources_couldnotDelete;
+ public static String resources_create;
+ public static String resources_creating;
+ public static String resources_deleteMeta;
+ public static String resources_deleteProblem;
+ public static String resources_deleting;
+ public static String resources_deleting_0;
+ public static String resources_destNotNull;
+ public static String resources_errorContentDescription;
+ public static String resources_errorDeleting;
+ public static String resources_errorMarkersDelete;
+ public static String resources_errorMarkersMove;
+ public static String resources_wrongMarkerAttributeValueType;
+ public static String resources_errorMembers;
+ public static String resources_errorMoving;
+ public static String resources_errorMultiRefresh;
+ public static String resources_errorNature;
+ public static String resources_errorPropertiesMove;
+ public static String resources_errorReadProject;
+ public static String resources_errorRefresh;
+ public static String resources_errorValidator;
+ public static String resources_errorVisiting;
+ public static String resources_existsDifferentCase;
+ public static String resources_existsLocalDifferentCase;
+ public static String resources_exMasterTable;
+ public static String resources_exReadProjectLocation;
+ public static String resources_exSafeRead;
+ public static String resources_exSafeSave;
+ public static String resources_exSaveMaster;
+ public static String resources_exSaveProjectLocation;
+ public static String resources_fileExists;
+ public static String resources_fileToProj;
+ public static String resources_flushingContentDescriptionCache;
+ public static String resources_folderOverFile;
+ public static String resources_format;
+ public static String resources_initHook;
+ public static String resources_initTeamHook;
+ public static String resources_initValidator;
+ public static String resources_invalidCharInName;
+ public static String resources_invalidCharInPath;
+ public static String resources_invalidName;
+ public static String resources_invalidPath;
+ public static String resources_invalidProjDesc;
+ public static String resources_invalidResourceName;
+ public static String resources_invalidRoot;
+ public static String resources_markerNotFound;
+ public static String resources_missingProjectMeta;
+ public static String resources_missingProjectMetaRepaired;
+ public static String resources_moveDestNotSub;
+ public static String resources_moveMeta;
+ public static String resources_moveNotMet;
+ public static String resources_moveNotProject;
+ public static String resources_moveProblem;
+ public static String resources_moveRoot;
+ public static String resources_moving;
+ public static String resources_moving_0;
+ public static String resources_mustBeAbsolute;
+ public static String resources_mustBeLocal;
+ public static String resources_mustBeOpen;
+ public static String resources_mustExist;
+ public static String resources_mustNotExist;
+ public static String resources_nameEmpty;
+ public static String resources_nameNull;
+ public static String resources_natureClass;
+ public static String resources_natureDeconfig;
+ public static String resources_natureExtension;
+ public static String resources_natureFormat;
+ public static String resources_natureImplement;
+ public static String resources_notChild;
+ public static String resources_oneHook;
+ public static String resources_oneTeamHook;
+ public static String resources_oneValidator;
+ public static String resources_opening_1;
+ public static String resources_overlapWorkspace;
+ public static String resources_overlapProject;
+ public static String resources_pathNull;
+ public static String resources_projectDesc;
+ public static String resources_projectDescSync;
+ public static String resources_projectPath;
+ public static String resources_pruningHistory;
+ public static String resources_reading;
+ public static String resources_readingEncoding;
+ public static String resources_readingSnap;
+ public static String resources_readMarkers;
+ public static String resources_readMeta;
+ public static String resources_readMetaWrongVersion;
+ public static String resources_readOnly;
+ public static String resources_readOnly2;
+ public static String resources_readProjectMeta;
+ public static String resources_readProjectTree;
+ public static String resources_readSync;
+ public static String resources_readWorkspaceMeta;
+ public static String resources_readWorkspaceMetaValue;
+ public static String resources_readWorkspaceSnap;
+ public static String resources_readWorkspaceTree;
+ public static String resources_refreshing;
+ public static String resources_refreshingRoot;
+ public static String resources_resetMarkers;
+ public static String resources_resetSync;
+ public static String resources_resourcePath;
+ public static String resources_saveOp;
+ public static String resources_saveProblem;
+ public static String resources_saveWarnings;
+ public static String resources_saving_0;
+ public static String resources_savingEncoding;
+ public static String resources_setDesc;
+ public static String resources_setLocal;
+ public static String resources_settingCharset;
+ public static String resources_settingContents;
+ public static String resources_settingDefaultCharsetContainer;
+ public static String resources_shutdown;
+ public static String resources_shutdownProblems;
+ public static String resources_snapInit;
+ public static String resources_snapRead;
+ public static String resources_snapRequest;
+ public static String resources_snapshot;
+ public static String resources_startupProblems;
+ public static String resources_touch;
+ public static String resources_updating;
+ public static String resources_updatingEncoding;
+ public static String resources_workspaceClosed;
+ public static String resources_workspaceOpen;
+ public static String resources_writeMeta;
+ public static String resources_writeWorkspaceMeta;
+
+ public static String synchronizer_partnerNotRegistered;
+
+ // URL
+ public static String url_badVariant;
+ public static String url_couldNotResolve_projectDoesNotExist;
+ public static String url_couldNotResolve_URLProtocolHandlerCanNotResolveURL;
+ public static String url_couldNotResolve_resourceLocationCanNotBeDetermined;
+
+ // utils
+ public static String utils_clone;
+ public static String utils_stringJobName;
+ // watson
+ public static String watson_elementNotFound;
+ public static String watson_illegalSubtree;
+ public static String watson_immutable;
+ public static String watson_noModify;
+ public static String watson_nullArg;
+ public static String watson_unknown;
+
+ // auto-refresh win32 native
+ public static String WM_beginTask;
+ public static String WM_errCloseHandle;
+ public static String WM_errCreateHandle;
+ public static String WM_errFindChange;
+ public static String WM_errors;
+ public static String WM_jobName;
+ public static String WM_nativeErr;
+
+ static {
+ // initialize resource bundles
+ NLS.initializeMessages(BUNDLE_NAME, Messages.class);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/ObjectMap.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/ObjectMap.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,314 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.*;
+
+/**
+ * A specialized map implementation that is optimized for a
+ * small set of object keys.
+ *
+ * Implemented as a single array that alternates keys and values.
+ */
+public class ObjectMap implements Map, IStringPoolParticipant {
+
+ // 8 attribute keys, 8 attribute values
+ protected static final int DEFAULT_SIZE = 16;
+ protected static final int GROW_SIZE = 10;
+ protected int count = 0;
+ protected Object[] elements = null;
+
+ /**
+ * Creates a new object map of default size
+ */
+ public ObjectMap() {
+ this(DEFAULT_SIZE);
+ }
+
+ /**
+ * Creates a new object map.
+ * @param initialCapacity The initial number of elements that will fit in the map.
+ */
+ public ObjectMap(int initialCapacity) {
+ if (initialCapacity > 0)
+ elements = new Object[Math.max(initialCapacity * 2, 0)];
+ }
+
+ /**
+ * Creates a new object map of the same size as the given map and
+ * populate it with the key/attribute pairs found in the map.
+ * @param map The entries in the given map will be added to the new map.
+ */
+ public ObjectMap(Map map) {
+ this(map.size());
+ putAll(map);
+ }
+
+ /**
+ * @see Map#clear()
+ */
+ public void clear() {
+ elements = null;
+ count = 0;
+ }
+
+ /**
+ * @see java.lang.Object#clone()
+ */
+ public Object clone() {
+ return new ObjectMap(this);
+ }
+
+ /**
+ * @see Map#containsKey(java.lang.Object)
+ */
+ public boolean containsKey(Object key) {
+ if (elements == null || count == 0)
+ return false;
+ for (int i = 0; i < elements.length; i = i + 2)
+ if (elements[i] != null && elements[i].equals(key))
+ return true;
+ return false;
+ }
+
+ /**
+ * @see Map#containsValue(java.lang.Object)
+ */
+ public boolean containsValue(Object value) {
+ if (elements == null || count == 0)
+ return false;
+ for (int i = 1; i < elements.length; i = i + 2)
+ if (elements[i] != null && elements[i].equals(value))
+ return true;
+ return false;
+ }
+
+ /**
+ * @see Map#entrySet()
+ * This implementation does not conform properly to the specification
+ * in the Map interface. The returned collection will not be bound to
+ * this map and will not remain in sync with this map.
+ */
+ public Set entrySet() {
+ return count == 0 ? Collections.EMPTY_SET : toHashMap().entrySet();
+ }
+
+ /**
+ * See Object#equals
+ */
+ public boolean equals(Object o) {
+ if (!(o instanceof Map))
+ return false;
+ Map other = (Map) o;
+ //must be same size
+ if (count != other.size())
+ return false;
+
+ //keysets must be equal
+ if (!keySet().equals(other.keySet()))
+ return false;
+
+ //values for each key must be equal
+ for (int i = 0; i < elements.length; i = i + 2) {
+ if (elements[i] != null && (!elements[i + 1].equals(other.get(elements[i]))))
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ * @see Map#get(java.lang.Object)
+ */
+ public Object get(Object key) {
+ if (elements == null || count == 0)
+ return null;
+ for (int i = 0; i < elements.length; i = i + 2)
+ if (elements[i] != null && elements[i].equals(key))
+ return elements[i + 1];
+ return null;
+ }
+
+ /**
+ * The capacity of the map has been exceeded, grow the array by
+ * GROW_SIZE to accommodate more entries.
+ */
+ protected void grow() {
+ Object[] expanded = new Object[elements.length + GROW_SIZE];
+ System.arraycopy(elements, 0, expanded, 0, elements.length);
+ elements = expanded;
+ }
+
+ /**
+ * See Object#hashCode
+ */
+ public int hashCode() {
+ int hash = 0;
+ for (int i = 0; i < elements.length; i = i + 2) {
+ if (elements[i] != null) {
+ hash += elements[i].hashCode();
+ }
+ }
+ return hash;
+ }
+
+ /**
+ * @see Map#isEmpty()
+ */
+ public boolean isEmpty() {
+ return count == 0;
+ }
+
+ /**
+ * @see Map#keySet()
+ * This implementation does not conform properly to the specification
+ * in the Map interface. The returned collection will not be bound to
+ * this map and will not remain in sync with this map.
+ */
+ public Set keySet() {
+ Set result = new HashSet(size());
+ for (int i = 0; i < elements.length; i = i + 2) {
+ if (elements[i] != null) {
+ result.add(elements[i]);
+ }
+ }
+ return result;
+ }
+
+ /**
+ * @see Map#put(java.lang.Object, java.lang.Object)
+ */
+ public Object put(Object key, Object value) {
+ if (key == null)
+ throw new NullPointerException();
+ if (value == null)
+ return remove(key);
+
+ // handle the case where we don't have any attributes yet
+ if (elements == null)
+ elements = new Object[DEFAULT_SIZE];
+ if (count == 0) {
+ elements[0] = key;
+ elements[1] = value;
+ count++;
+ return null;
+ }
+
+ int emptyIndex = -1;
+ // replace existing value if it exists
+ for (int i = 0; i < elements.length; i += 2) {
+ if (elements[i] != null) {
+ if (elements[i].equals(key)) {
+ Object oldValue = elements[i + 1];
+ elements[i + 1] = value;
+ return oldValue;
+ }
+ } else if (emptyIndex == -1) {
+ // keep track of the first empty index
+ emptyIndex = i;
+ }
+ }
+ // this will put the emptyIndex greater than the size but
+ // that's ok because we will grow first.
+ if (emptyIndex == -1)
+ emptyIndex = count * 2;
+
+ // otherwise add it to the list of elements.
+ // grow if necessary
+ if (elements.length <= (count * 2))
+ grow();
+ elements[emptyIndex] = key;
+ elements[emptyIndex + 1] = value;
+ count++;
+ return null;
+ }
+
+ /**
+ * @see Map#putAll(java.util.Map)
+ */
+ public void putAll(Map map) {
+ for (Iterator i = map.keySet().iterator(); i.hasNext();) {
+ Object key = i.next();
+ Object value = map.get(key);
+ put(key, value);
+ }
+ }
+
+ /**
+ * @see Map#remove(java.lang.Object)
+ */
+ public Object remove(Object key) {
+ if (elements == null || count == 0)
+ return null;
+ for (int i = 0; i < elements.length; i = i + 2) {
+ if (elements[i] != null && elements[i].equals(key)) {
+ elements[i] = null;
+ Object result = elements[i + 1];
+ elements[i + 1] = null;
+ count--;
+ return result;
+ }
+ }
+ return null;
+ }
+
+ /**
+ * @see Map#size()
+ */
+ public int size() {
+ return count;
+ }
+
+ /* (non-Javadoc
+ * Method declared on IStringPoolParticipant
+ */
+ public void shareStrings(StringPool set) {
+ //copy elements for thread safety
+ Object[] array = elements;
+ if (array == null)
+ return;
+ for (int i = 0; i < array.length; i++) {
+ Object o = array[i];
+ if (o instanceof String)
+ array[i] = set.add((String) o);
+ if (o instanceof IStringPoolParticipant)
+ ((IStringPoolParticipant) o).shareStrings(set);
+ }
+ }
+
+ /**
+ * Creates a new hash map with the same contents as this map.
+ */
+ private HashMap toHashMap() {
+ HashMap result = new HashMap(size());
+ for (int i = 0; i < elements.length; i = i + 2) {
+ if (elements[i] != null) {
+ result.put(elements[i], elements[i + 1]);
+ }
+ }
+ return result;
+ }
+
+ /**
+ * @see Map#values()
+ * This implementation does not conform properly to the specification
+ * in the Map interface. The returned collection will not be bound to
+ * this map and will not remain in sync with this map.
+ */
+ public Collection values() {
+ Set result = new HashSet(size());
+ for (int i = 1; i < elements.length; i = i + 2) {
+ if (elements[i] != null) {
+ result.add(elements[i]);
+ }
+ }
+ return result;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Policy.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Policy.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,164 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.Date;
+import org.eclipse.core.resources.ResourcesPlugin;
+import org.eclipse.core.runtime.*;
+import org.osgi.framework.Bundle;
+
+public class Policy {
+ public static final boolean buildOnCancel = false;
+ //general debug flag for the plugin
+ public static boolean DEBUG = false;
+
+ public static boolean DEBUG_AUTO_REFRESH = false;
+
+ //debug constants
+ public static boolean DEBUG_BUILD_DELTA = false;
+ public static boolean DEBUG_BUILD_FAILURE = false;
+ public static boolean DEBUG_BUILD_INTERRUPT = false;
+ public static boolean DEBUG_BUILD_INVOKING = false;
+ public static boolean DEBUG_BUILD_NEEDED = false;
+ public static boolean DEBUG_BUILD_NEEDED_STACK = false;
+ public static boolean DEBUG_BUILD_STACK = false;
+
+ public static boolean DEBUG_CONTENT_TYPE = false;
+ public static boolean DEBUG_CONTENT_TYPE_CACHE = false;
+ public static boolean DEBUG_HISTORY = false;
+ public static boolean DEBUG_NATURES = false;
+ public static boolean DEBUG_PREFERENCES = false;
+ // Get timing information for restoring data
+ public static boolean DEBUG_RESTORE = false;
+ public static boolean DEBUG_RESTORE_MARKERS = false;
+ public static boolean DEBUG_RESTORE_MASTERTABLE = false;
+
+ public static boolean DEBUG_RESTORE_METAINFO = false;
+ public static boolean DEBUG_RESTORE_SNAPSHOTS = false;
+ public static boolean DEBUG_RESTORE_SYNCINFO = false;
+ public static boolean DEBUG_RESTORE_TREE = false;
+ // Get timing information for save and snapshot data
+ public static boolean DEBUG_SAVE = false;
+ public static boolean DEBUG_SAVE_MARKERS = false;
+ public static boolean DEBUG_SAVE_MASTERTABLE = false;
+
+ public static boolean DEBUG_SAVE_METAINFO = false;
+ public static boolean DEBUG_SAVE_SYNCINFO = false;
+ public static boolean DEBUG_SAVE_TREE = false;
+ public static boolean DEBUG_STRINGS = false;
+ public static int endOpWork = 1;
+ public static final long MAX_BUILD_DELAY = 1000;
+
+ public static final long MIN_BUILD_DELAY = 100;
+ public static int opWork = 99;
+ public static final int totalWork = 100;
+
+ static {
+ //init debug options
+ if (ResourcesPlugin.getPlugin().isDebugging()) {
+ DEBUG = true;
+ String sTrue = Boolean.TRUE.toString();
+ DEBUG_AUTO_REFRESH = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/refresh")); //$NON-NLS-1$
+
+ DEBUG_BUILD_DELTA = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/delta")); //$NON-NLS-1$
+ DEBUG_BUILD_FAILURE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/failure")); //$NON-NLS-1$
+ DEBUG_BUILD_INVOKING = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/invoking")); //$NON-NLS-1$
+ DEBUG_BUILD_INTERRUPT = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/interrupt")); //$NON-NLS-1$
+ DEBUG_BUILD_NEEDED = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/needbuild")); //$NON-NLS-1$
+ DEBUG_BUILD_NEEDED_STACK = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/needbuildstack")); //$NON-NLS-1$
+ DEBUG_BUILD_STACK = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/build/stacktrace")); //$NON-NLS-1$
+
+ DEBUG_CONTENT_TYPE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/contenttype")); //$NON-NLS-1$
+ DEBUG_CONTENT_TYPE_CACHE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/contenttype/cache")); //$NON-NLS-1$
+ DEBUG_HISTORY = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/history")); //$NON-NLS-1$
+ DEBUG_NATURES = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/natures")); //$NON-NLS-1$
+ DEBUG_PREFERENCES = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/preferences")); //$NON-NLS-1$
+
+ DEBUG_RESTORE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore")); //$NON-NLS-1$
+ DEBUG_RESTORE_MARKERS = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/markers")); //$NON-NLS-1$
+ DEBUG_RESTORE_MASTERTABLE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/mastertable")); //$NON-NLS-1$
+ DEBUG_RESTORE_METAINFO = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/metainfo")); //$NON-NLS-1$
+ DEBUG_RESTORE_SNAPSHOTS = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/snapshots")); //$NON-NLS-1$
+ DEBUG_RESTORE_SYNCINFO = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/syncinfo")); //$NON-NLS-1$
+ DEBUG_RESTORE_TREE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/restore/tree")); //$NON-NLS-1$
+
+ DEBUG_SAVE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save")); //$NON-NLS-1$
+ DEBUG_SAVE_MARKERS = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save/markers")); //$NON-NLS-1$
+ DEBUG_SAVE_MASTERTABLE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save/mastertable")); //$NON-NLS-1$
+ DEBUG_SAVE_METAINFO = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save/metainfo")); //$NON-NLS-1$
+ DEBUG_SAVE_SYNCINFO = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save/syncinfo")); //$NON-NLS-1$
+ DEBUG_SAVE_TREE = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/save/tree")); //$NON-NLS-1$
+
+ DEBUG_STRINGS = sTrue.equalsIgnoreCase(Platform.getDebugOption(ResourcesPlugin.PI_RESOURCES + "/strings")); //$NON-NLS-1$
+ }
+ }
+
+ public static void checkCanceled(IProgressMonitor monitor) {
+ if (monitor.isCanceled())
+ throw new OperationCanceledException();
+ }
+
+ /**
+ * Print a debug message to the console.
+ * Pre-pend the message with the current date and the name of the current thread.
+ */
+ public static void debug(String message) {
+ StringBuffer buffer = new StringBuffer();
+ buffer.append(new Date(System.currentTimeMillis()));
+ buffer.append(" - ["); //$NON-NLS-1$
+ buffer.append(Thread.currentThread().getName());
+ buffer.append("] "); //$NON-NLS-1$
+ buffer.append(message);
+ System.out.println(buffer.toString());
+ }
+
+ public static void log(int severity, String message, Throwable t) {
+ if (message == null)
+ message = ""; //$NON-NLS-1$
+ log(new Status(severity, ResourcesPlugin.PI_RESOURCES, 1, message, t));
+ }
+
+ public static void log(IStatus status) {
+ final Bundle bundle = Platform.getBundle(ResourcesPlugin.PI_RESOURCES);
+ if (bundle == null)
+ return;
+ Platform.getLog(bundle).log(status);
+ }
+
+ /**
+ * Logs a throwable, assuming severity of error
+ * @param t
+ */
+ public static void log(Throwable t) {
+ log(IStatus.ERROR, "Internal Error", t); //$NON-NLS-1$
+ }
+
+ public static IProgressMonitor monitorFor(IProgressMonitor monitor) {
+ return monitor == null ? new NullProgressMonitor() : monitor;
+ }
+
+ public static IProgressMonitor subMonitorFor(IProgressMonitor monitor, int ticks) {
+ if (monitor == null)
+ return new NullProgressMonitor();
+ if (monitor instanceof NullProgressMonitor)
+ return monitor;
+ return new SubProgressMonitor(monitor, ticks);
+ }
+
+ public static IProgressMonitor subMonitorFor(IProgressMonitor monitor, int ticks, int style) {
+ if (monitor == null)
+ return new NullProgressMonitor();
+ if (monitor instanceof NullProgressMonitor)
+ return monitor;
+ return new SubProgressMonitor(monitor, ticks, style);
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Queue.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/Queue.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,197 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.Collections;
+import java.util.Iterator;
+
+/**
+ * A Queue of objects.
+ */
+public class Queue {
+ protected Object[] elements;
+ protected int head;
+ protected int tail;
+ protected boolean reuse;
+
+ public Queue() {
+ this(20, false);
+ }
+
+ /**
+ * The parameter reuse indicates what do you want to happen with
+ * the object reference when you remove it from the queue. If
+ * reuse is false the queue no longer holds a reference to the
+ * object when it is removed. If reuse is true you can use the
+ * method getNextAvailableObject to get an used object, set its
+ * new values and add it again to the queue.
+ */
+ public Queue(int size, boolean reuse) {
+ elements = new Object[size];
+ head = tail = 0;
+ this.reuse = reuse;
+ }
+
+ public void add(Object element) {
+ int newTail = increment(tail);
+ if (newTail == head) {
+ grow();
+ newTail = tail + 1;
+ }
+ elements[tail] = element;
+ tail = newTail;
+ }
+
+ /**
+ * This method does not affect the queue itself. It is only a
+ * helper to decrement an index in the queue.
+ */
+ public int decrement(int index) {
+ return (index == 0) ? (elements.length - 1) : index - 1;
+ }
+
+ public Object elementAt(int index) {
+ return elements[index];
+ }
+
+ public Iterator iterator() {
+ /**/
+ if (isEmpty())
+ return Collections.EMPTY_LIST.iterator();
+
+ /* if head < tail we can use the same array */
+ if (head <= tail)
+ return new ArrayIterator(elements, head, tail - 1);
+
+ /* otherwise we need to create a new array */
+ Object[] newElements = new Object[size()];
+ int end = (elements.length - head);
+ System.arraycopy(elements, head, newElements, 0, end);
+ System.arraycopy(elements, 0, newElements, end, tail);
+ return new ArrayIterator(newElements);
+ }
+
+ /**
+ * Returns an object that has been removed from the queue, if any.
+ * The intention is to support reuse of objects that have already
+ * been processed and removed from the queue. Returns null if there
+ * are no available objects.
+ */
+ public Object getNextAvailableObject() {
+ int index = tail;
+ while (index != head) {
+ if (elements[index] != null) {
+ Object result = elements[index];
+ elements[index] = null;
+ return result;
+ }
+ index = increment(index);
+ }
+ return null;
+ }
+
+ protected void grow() {
+ int newSize = (int) (elements.length * 1.5);
+ Object[] newElements = new Object[newSize];
+ if (tail >= head)
+ System.arraycopy(elements, head, newElements, head, size());
+ else {
+ int newHead = newSize - (elements.length - head);
+ System.arraycopy(elements, 0, newElements, 0, tail + 1);
+ System.arraycopy(elements, head, newElements, newHead, (newSize - newHead));
+ head = newHead;
+ }
+ elements = newElements;
+ }
+
+ /**
+ * This method does not affect the queue itself. It is only a
+ * helper to increment an index in the queue.
+ */
+ public int increment(int index) {
+ return (index == (elements.length - 1)) ? 0 : index + 1;
+ }
+
+ public int indexOf(Object target) {
+ if (tail >= head) {
+ for (int i = head; i < tail; i++)
+ if (target.equals(elements[i]))
+ return i;
+ } else {
+ for (int i = head; i < elements.length; i++)
+ if (target.equals(elements[i]))
+ return i;
+ for (int i = 0; i < tail; i++)
+ if (target.equals(elements[i]))
+ return i;
+ }
+ return -1;
+ }
+
+ public boolean isEmpty() {
+ return tail == head;
+ }
+
+ public Object peek() {
+ return elements[head];
+ }
+
+ public Object peekTail() {
+ return elements[decrement(tail)];
+ }
+
+ public Object remove() {
+ if (isEmpty())
+ return null;
+ Object result = peek();
+ if (!reuse)
+ elements[head] = null;
+ head = increment(head);
+ return result;
+ }
+
+ public Object removeTail() {
+ Object result = peekTail();
+ tail = decrement(tail);
+ if (!reuse)
+ elements[tail] = null;
+ return result;
+ }
+
+ public void reset() {
+ tail = head = 0;
+ }
+
+ public int size() {
+ return tail > head ? (tail - head) : ((elements.length - head) + tail);
+ }
+
+ public String toString() {
+ StringBuffer sb = new StringBuffer();
+ sb.append('[');
+ int count = 0;
+ if (!isEmpty()) {
+ Iterator it = iterator();
+ //only print a fixed number of elements to prevent debugger from choking
+ while (count < 100) {
+ sb.append(it.next());
+ if (it.hasNext())
+ sb.append(',').append(' ');
+ else
+ break;
+ }
+ }
+ if (count < size())
+ sb.append('.').append('.').append('.');
+ sb.append(']');
+ return sb.toString();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/StringPool.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/StringPool.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,74 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.HashMap;
+
+/**
+ * A string pool is used for sharing strings in a way that eliminates duplicate
+ * equal strings. A string pool instance can be maintained over a long period
+ * of time, or used as a temporary structure during a string sharing pass over
+ * a data structure.
+ *
+ * This class is not intended to be subclassed by clients.
+ *
+ *
+ * @see IStringPoolParticipant
+ * @since 3.1
+ */
+public final class StringPool {
+ private int savings;
+ private final HashMap map = new HashMap();
+
+ /**
+ * Creates a new string pool.
+ */
+ public StringPool() {
+ super();
+ }
+
+ /**
+ * Adds a String
to the pool. Returns a String
+ * that is equal to the argument but that is unique within this pool.
+ * @param string The string to add to the pool
+ * @return A string that is equal to the argument.
+ */
+ public String add(String string) {
+ if (string == null)
+ return string;
+ Object result = map.get(string);
+ if (result != null) {
+ if (result != string)
+ savings += 44 + 2 * string.length();
+ return (String) result;
+ }
+ map.put(string, string);
+ return string;
+ }
+
+ /**
+ * Returns an estimate of the size in bytes that was saved by sharing strings in
+ * the pool. In particular, this returns the size of all strings that were added to the
+ * pool after an equal string had already been added. This value can be used
+ * to estimate the effectiveness of a string sharing operation, in order to
+ * determine if or when it should be performed again.
+ *
+ * In some cases this does not precisely represent the number of bytes that
+ * were saved. For example, say the pool already contains string S1. Now
+ * string S2, which is equal to S1 but not identical, is added to the pool five
+ * times. This method will return the size of string S2 multiplied by the
+ * number of times it was added, even though the actual savings in this case
+ * is only the size of a single copy of S2.
+ */
+ public int getSavedStringCount() {
+ return savings;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/StringPoolJob.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/StringPoolJob.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,136 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.util.*;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.*;
+import org.osgi.framework.Bundle;
+
+/**
+ * Performs string sharing passes on all string pool participants registered
+ * with the platform.
+ */
+public class StringPoolJob extends Job {
+ private static final long INITIAL_DELAY = 10000;//ten seconds
+ private static final long RESCHEDULE_DELAY = 300000;//five minutes
+ private long lastDuration;
+ /**
+ * Stores all registered string pool participants, along with the scheduling
+ * rule required when running it.
+ */
+ private Map participants = Collections.synchronizedMap(new HashMap(10));
+
+ private final Bundle systemBundle = Platform.getBundle("org.eclipse.osgi"); //$NON-NLS-1$
+
+ public StringPoolJob() {
+ super(Messages.utils_stringJobName);
+ setSystem(true);
+ setPriority(DECORATE);
+ }
+
+ /**
+ * Adds a string pool participant. The job periodically builds
+ * a string pool and asks all registered participants to share their strings in
+ * the pool. Once all participants have added their strings to the pool, the
+ * pool is discarded to avoid additional memory overhead.
+ *
+ * Adding a participant that is equal to a participant already registered will
+ * replace the scheduling rule associated with the participant, but will otherwise
+ * be ignored.
+ *
+ * @param participant The participant to add
+ * @param rule The scheduling rule that must be owned at the time the
+ * participant is called. This allows a participant to protect their data structures
+ * against access at unsafe times.
+ *
+ * @see #removeStringPoolParticipant(IStringPoolParticipant)
+ * @since 3.1
+ */
+ public void addStringPoolParticipant(IStringPoolParticipant participant, ISchedulingRule rule) {
+ participants.put(participant, rule);
+ if (getState() == Job.SLEEPING)
+ wakeUp(INITIAL_DELAY);
+ else
+ schedule(INITIAL_DELAY);
+ }
+
+ /**
+ * Removes the indicated log listener from the set of registered string
+ * pool participants. If no such participant is registered, no action is taken.
+ *
+ * @param participant the participant to deregister
+ * @see #addStringPoolParticipant(IStringPoolParticipant, ISchedulingRule)
+ * @since 3.1
+ */
+ public void removeStringPoolParticipant(IStringPoolParticipant participant) {
+ participants.remove(participant);
+ }
+
+ /* (non-Javadoc)
+ * Method declared on Job
+ */
+ protected IStatus run(IProgressMonitor monitor) {
+ //if the system is shutting down, don't build
+ if (systemBundle.getState() == Bundle.STOPPING)
+ return Status.OK_STATUS;
+
+ //copy current participants to handle concurrent additions and removals to map
+ Map.Entry[] entries = (Map.Entry[]) participants.entrySet().toArray(new Map.Entry[0]);
+ ISchedulingRule[] rules = new ISchedulingRule[entries.length];
+ IStringPoolParticipant[] toRun = new IStringPoolParticipant[entries.length];
+ for (int i = 0; i < toRun.length; i++) {
+ toRun[i] = (IStringPoolParticipant) entries[i].getKey();
+ rules[i] = (ISchedulingRule) entries[i].getValue();
+ }
+ final ISchedulingRule rule = MultiRule.combine(rules);
+ long start = -1;
+ int savings = 0;
+ final IJobManager jobManager = Job.getJobManager();
+ try {
+ jobManager.beginRule(rule, monitor);
+ start = System.currentTimeMillis();
+ savings = shareStrings(toRun, monitor);
+ } finally {
+ jobManager.endRule(rule);
+ }
+ if (start > 0) {
+ lastDuration = System.currentTimeMillis() - start;
+ if (Policy.DEBUG_STRINGS)
+ Policy.debug("String sharing saved " + savings + " bytes in: " + lastDuration); //$NON-NLS-1$ //$NON-NLS-2$
+ }
+ //throttle frequency if it takes too long
+ long scheduleDelay = Math.max(RESCHEDULE_DELAY, lastDuration*100);
+ if (Policy.DEBUG_STRINGS)
+ Policy.debug("Rescheduling string sharing job in: " + scheduleDelay); //$NON-NLS-1$
+ schedule(scheduleDelay);
+ return Status.OK_STATUS;
+ }
+
+ private int shareStrings(IStringPoolParticipant[] toRun, IProgressMonitor monitor) {
+ final StringPool pool = new StringPool();
+ for (int i = 0; i < toRun.length; i++) {
+ if (monitor.isCanceled())
+ break;
+ final IStringPoolParticipant current = toRun[i];
+ SafeRunner.run(new ISafeRunnable() {
+ public void handleException(Throwable exception) {
+ //exceptions are already logged, so nothing to do
+ }
+
+ public void run() {
+ current.shareStrings(pool);
+ }
+ });
+ }
+ return pool.getSavedStringCount();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/UniversalUniqueIdentifier.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/UniversalUniqueIdentifier.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,349 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+import java.io.*;
+import java.math.BigInteger;
+import java.net.InetAddress;
+import java.net.UnknownHostException;
+import java.security.SecureRandom;
+import java.util.GregorianCalendar;
+import java.util.Random;
+import org.eclipse.core.runtime.Assert;
+
+public class UniversalUniqueIdentifier implements java.io.Serializable {
+
+ /**
+ * All serializable objects should have a stable serialVersionUID
+ */
+ private static final long serialVersionUID = 1L;
+
+ /* INSTANCE FIELDS =============================================== */
+
+ private byte[] fBits = new byte[BYTES_SIZE];
+
+ /* NON-FINAL PRIVATE STATIC FIELDS =============================== */
+
+ private static BigInteger fgPreviousClockValue;
+ private static int fgClockAdjustment = 0;
+ private static int fgClockSequence = -1;
+ private static byte[] nodeAddress;
+
+ static {
+ nodeAddress = computeNodeAddress();
+ }
+
+ /* PRIVATE STATIC FINAL FIELDS =================================== */
+
+ private static Random fgRandomNumberGenerator = new Random();
+
+ /* PUBLIC STATIC FINAL FIELDS ==================================== */
+
+ public static final int BYTES_SIZE = 16;
+ public static final byte[] UNDEFINED_UUID_BYTES = new byte[16];
+ public static final int MAX_CLOCK_SEQUENCE = 0x4000;
+ public static final int MAX_CLOCK_ADJUSTMENT = 0x7FFF;
+ public static final int TIME_FIELD_START = 0;
+ public static final int TIME_FIELD_STOP = 6;
+ public static final int TIME_HIGH_AND_VERSION = 7;
+ public static final int CLOCK_SEQUENCE_HIGH_AND_RESERVED = 8;
+ public static final int CLOCK_SEQUENCE_LOW = 9;
+ public static final int NODE_ADDRESS_START = 10;
+ public static final int NODE_ADDRESS_BYTE_SIZE = 6;
+
+ public static final int BYTE_MASK = 0xFF;
+
+ public static final int HIGH_NIBBLE_MASK = 0xF0;
+
+ public static final int LOW_NIBBLE_MASK = 0x0F;
+
+ public static final int SHIFT_NIBBLE = 4;
+
+ public static final int ShiftByte = 8;
+
+ /**
+ UniversalUniqueIdentifier default constructor returns a
+ new instance that has been initialized to a unique value.
+ */
+ public UniversalUniqueIdentifier() {
+ this.setVersion(1);
+ this.setVariant(1);
+ this.setTimeValues();
+ this.setNode(getNodeAddress());
+ }
+
+ /**
+ Constructor that accepts the bytes to use for the instance. The format
+ of the byte array is compatible with the toBytes()
method.
+
+ The constructor returns the undefined uuid if the byte array is invalid.
+
+ @see #toBytes()
+ @see #BYTES_SIZE
+ */
+ public UniversalUniqueIdentifier(byte[] byteValue) {
+ fBits = new byte[BYTES_SIZE];
+ if (byteValue.length >= BYTES_SIZE)
+ System.arraycopy(byteValue, 0, fBits, 0, BYTES_SIZE);
+ }
+
+ private void appendByteString(StringBuffer buffer, byte value) {
+ String hexString;
+
+ if (value < 0)
+ hexString = Integer.toHexString(256 + value);
+ else
+ hexString = Integer.toHexString(value);
+ if (hexString.length() == 1)
+ buffer.append("0"); //$NON-NLS-1$
+ buffer.append(hexString);
+ }
+
+ private static BigInteger clockValueNow() {
+ GregorianCalendar now = new GregorianCalendar();
+ BigInteger nowMillis = BigInteger.valueOf(now.getTime().getTime());
+ BigInteger baseMillis = BigInteger.valueOf(now.getGregorianChange().getTime());
+
+ return (nowMillis.subtract(baseMillis).multiply(BigInteger.valueOf(10000L)));
+ }
+
+ /**
+ Simply increases the visibility of Object
's clone.
+ Otherwise, no new behaviour.
+ */
+ public Object clone() {
+ try {
+ return super.clone();
+ } catch (CloneNotSupportedException e) {
+ Assert.isTrue(false, Messages.utils_clone);
+ return null;
+ }
+ }
+
+ public static int compareTime(byte[] fBits1, byte[] fBits2) {
+ for (int i = TIME_FIELD_STOP; i >= 0; i--)
+ if (fBits1[i] != fBits2[i])
+ return (0xFF & fBits1[i]) - (0xFF & fBits2[i]);
+ return 0;
+ }
+
+ /**
+ * Answers the node address attempting to mask the IP
+ * address of this machine.
+ *
+ * @return byte[] the node address
+ */
+ private static byte[] computeNodeAddress() {
+
+ byte[] address = new byte[NODE_ADDRESS_BYTE_SIZE];
+
+ // Seed the secure randomizer with some oft-varying inputs
+ int thread = Thread.currentThread().hashCode();
+ long time = System.currentTimeMillis();
+ int objectId = System.identityHashCode(new String());
+ ByteArrayOutputStream byteOut = new ByteArrayOutputStream();
+ DataOutputStream out = new DataOutputStream(byteOut);
+ byte[] ipAddress = getIPAddress();
+
+ try {
+ if (ipAddress != null)
+ out.write(ipAddress);
+ out.write(thread);
+ out.writeLong(time);
+ out.write(objectId);
+ out.close();
+ } catch (IOException exc) {
+ //ignore the failure, we're just trying to come up with a random seed
+ }
+ byte[] rand = byteOut.toByteArray();
+
+ SecureRandom randomizer = new SecureRandom(rand);
+ randomizer.nextBytes(address);
+
+ // set the MSB of the first octet to 1 to distinguish from IEEE node addresses
+ address[0] = (byte) (address[0] | (byte) 0x80);
+
+ return address;
+ }
+
+ public boolean equals(Object obj) {
+ if (this == obj)
+ return true;
+ if (!(obj instanceof UniversalUniqueIdentifier))
+ return false;
+
+ byte[] other = ((UniversalUniqueIdentifier) obj).fBits;
+ if (fBits == other)
+ return true;
+ if (fBits.length != other.length)
+ return false;
+ for (int i = 0; i < fBits.length; i++) {
+ if (fBits[i] != other[i])
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ Answers the IP address of the local machine using the
+ Java API class InetAddress
.
+
+ @return byte[] the network address in network order
+ @see java.net.InetAddress#getLocalHost()
+ @see java.net.InetAddress#getAddress()
+ */
+ protected static byte[] getIPAddress() {
+ try {
+ return InetAddress.getLocalHost().getAddress();
+ } catch (UnknownHostException e) {
+ //valid for this to be thrown be a machine with no IP connection
+ //It is VERY important NOT to throw this exception
+ return null;
+ }
+ }
+
+ private static byte[] getNodeAddress() {
+ return nodeAddress;
+ }
+
+ public int hashCode() {
+ return fBits[0] + fBits[3] + fBits[7] + fBits[11] + fBits[15];
+ }
+
+ private static int nextClockSequence() {
+
+ if (fgClockSequence == -1)
+ fgClockSequence = (int) (fgRandomNumberGenerator.nextDouble() * MAX_CLOCK_SEQUENCE);
+
+ fgClockSequence = (fgClockSequence + 1) % MAX_CLOCK_SEQUENCE;
+
+ return fgClockSequence;
+ }
+
+ private static BigInteger nextTimestamp() {
+
+ BigInteger timestamp = clockValueNow();
+ int timestampComparison;
+
+ timestampComparison = timestamp.compareTo(fgPreviousClockValue);
+
+ if (timestampComparison == 0) {
+ if (fgClockAdjustment == MAX_CLOCK_ADJUSTMENT) {
+ while (timestamp.compareTo(fgPreviousClockValue) == 0)
+ timestamp = clockValueNow();
+ timestamp = nextTimestamp();
+ } else
+ fgClockAdjustment++;
+ } else {
+ fgClockAdjustment = 0;
+
+ if (timestampComparison < 0)
+ nextClockSequence();
+ }
+
+ return timestamp;
+ }
+
+ private void setClockSequence(int clockSeq) {
+ int clockSeqHigh = (clockSeq >>> ShiftByte) & LOW_NIBBLE_MASK;
+ int reserved = fBits[CLOCK_SEQUENCE_HIGH_AND_RESERVED] & HIGH_NIBBLE_MASK;
+
+ fBits[CLOCK_SEQUENCE_HIGH_AND_RESERVED] = (byte) (reserved | clockSeqHigh);
+ fBits[CLOCK_SEQUENCE_LOW] = (byte) (clockSeq & BYTE_MASK);
+ }
+
+ protected void setNode(byte[] bytes) {
+
+ for (int index = 0; index < NODE_ADDRESS_BYTE_SIZE; index++)
+ fBits[index + NODE_ADDRESS_START] = bytes[index];
+ }
+
+ private void setTimestamp(BigInteger timestamp) {
+ BigInteger value = timestamp;
+ BigInteger bigByte = BigInteger.valueOf(256L);
+ BigInteger[] results;
+ int version;
+ int timeHigh;
+
+ for (int index = TIME_FIELD_START; index < TIME_FIELD_STOP; index++) {
+ results = value.divideAndRemainder(bigByte);
+ value = results[0];
+ fBits[index] = (byte) results[1].intValue();
+ }
+ version = fBits[TIME_HIGH_AND_VERSION] & HIGH_NIBBLE_MASK;
+ timeHigh = value.intValue() & LOW_NIBBLE_MASK;
+ fBits[TIME_HIGH_AND_VERSION] = (byte) (timeHigh | version);
+ }
+
+ protected synchronized void setTimeValues() {
+ this.setTimestamp(timestamp());
+ this.setClockSequence(fgClockSequence);
+ }
+
+ protected int setVariant(int variantIdentifier) {
+ int clockSeqHigh = fBits[CLOCK_SEQUENCE_HIGH_AND_RESERVED] & LOW_NIBBLE_MASK;
+ int variant = variantIdentifier & LOW_NIBBLE_MASK;
+
+ fBits[CLOCK_SEQUENCE_HIGH_AND_RESERVED] = (byte) ((variant << SHIFT_NIBBLE) | clockSeqHigh);
+ return (variant);
+ }
+
+ protected void setVersion(int versionIdentifier) {
+ int timeHigh = fBits[TIME_HIGH_AND_VERSION] & LOW_NIBBLE_MASK;
+ int version = versionIdentifier & LOW_NIBBLE_MASK;
+
+ fBits[TIME_HIGH_AND_VERSION] = (byte) (timeHigh | (version << SHIFT_NIBBLE));
+ }
+
+ private static BigInteger timestamp() {
+ BigInteger timestamp;
+
+ if (fgPreviousClockValue == null) {
+ fgClockAdjustment = 0;
+ nextClockSequence();
+ timestamp = clockValueNow();
+ } else
+ timestamp = nextTimestamp();
+
+ fgPreviousClockValue = timestamp;
+ return fgClockAdjustment == 0 ? timestamp : timestamp.add(BigInteger.valueOf(fgClockAdjustment));
+ }
+
+ /**
+ This representation is compatible with the (byte[]) constructor.
+
+ @see #UniversalUniqueIdentifier(byte[])
+ */
+ public byte[] toBytes() {
+ byte[] result = new byte[fBits.length];
+
+ System.arraycopy(fBits, 0, result, 0, fBits.length);
+ return result;
+ }
+
+ public String toString() {
+ StringBuffer buffer = new StringBuffer();
+ for (int i = 0; i < fBits.length; i++)
+ appendByteString(buffer, fBits[i]);
+ return buffer.toString();
+ }
+
+ public String toStringAsBytes() {
+ String result = "{"; //$NON-NLS-1$
+
+ for (int i = 0; i < fBits.length; i++) {
+ result += fBits[i];
+ if (i < fBits.length + 1)
+ result += ","; //$NON-NLS-1$
+ }
+ return result + "}"; //$NON-NLS-1$
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/WrappedRuntimeException.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/utils/WrappedRuntimeException.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,34 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.utils;
+
+public class WrappedRuntimeException extends RuntimeException {
+
+ /**
+ * All serializable objects should have a stable serialVersionUID
+ */
+ private static final long serialVersionUID = 1L;
+
+ private Throwable target;
+
+ public WrappedRuntimeException(Throwable target) {
+ super();
+ this.target = target;
+ }
+
+ public Throwable getTargetException() {
+ return this.target;
+ }
+
+ public String getMessage() {
+ return target.getMessage();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/DefaultElementComparator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/DefaultElementComparator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,63 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+/**
+ * This is what you would expect for an element tree comparator.
+ * Clients of the element tree that want specific comparison behaviour
+ * must define their own element comparator (without subclassing or
+ * otherwise extending this comparator). Internal element tree operations
+ * rely on the behaviour of this type, and the ElementTree maintainer
+ * reserves the right to change its behaviour as necessary.
+ */
+public final class DefaultElementComparator implements IElementComparator {
+ private static DefaultElementComparator singleton;
+
+ /**
+ * Force clients to use the singleton
+ */
+ protected DefaultElementComparator() {
+ super();
+ }
+
+ /**
+ * Returns the type of change.
+ */
+ public int compare(Object oldInfo, Object newInfo) {
+ if (oldInfo == null && newInfo == null)
+ return 0;
+ if (oldInfo == null || newInfo == null)
+ return 1;
+ return testEquality(oldInfo, newInfo) ? 0 : 1;
+ }
+
+ /**
+ * Returns the singleton instance
+ */
+ public static IElementComparator getComparator() {
+ if (singleton == null) {
+ singleton = new DefaultElementComparator();
+ }
+ return singleton;
+ }
+
+ /**
+ * Makes a comparison based on equality
+ */
+ protected boolean testEquality(Object oldInfo, Object newInfo) {
+ if (oldInfo == null && newInfo == null)
+ return true;
+ if (oldInfo == null || newInfo == null)
+ return false;
+
+ return oldInfo.equals(newInfo);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTree.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTree.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,728 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import java.util.HashMap;
+import org.eclipse.core.internal.dtree.*;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.utils.StringPool;
+import org.eclipse.core.runtime.*;
+import org.eclipse.osgi.util.NLS;
+
+/**
+ * An ElementTree can be viewed as a generic rooted tree that stores
+ * a hierarchy of elements. An element in the tree consists of a
+ * (name, data, children) 3-tuple. The name can be any String, and
+ * the data can be any Object. The children are a collection of zero
+ * or more elements that logically fall below their parent in the tree.
+ * The implementation makes no guarantees about the ordering of children.
+ *
+ * Elements in the tree are referenced by a key that consists of the names
+ * of all elements on the path from the root to that element in the tree.
+ * For example, if root node "a" has child "b", which has child "c", element
+ * "c" can be referenced in the tree using the key (/a/b/c). Keys are represented
+ * using IPath objects, where the Paths are relative to the root element of the
+ * tree.
+ * @see IPath
+ *
+ * Each ElementTree has a single root element that is created implicitly and
+ * is always present in any tree. This root corresponds to the key (/),
+ * or the singleton Path.ROOT
. The root element cannot be created
+ * or deleted, and its data and name cannot be set. The root element's children
+ * however can be modified (added, deleted, etc). The root path can be obtained
+ * using the getRoot()
method.
+ *
+ * ElementTrees are modified in generations. The method newEmptyDelta()
+ * returns a new tree generation that can be modified arbitrarily by the user.
+ * For the purpose of explanation, we call such a tree "active".
+ * When the method immutable()
is called, that tree generation is
+ * frozen, and can never again be modified. A tree must be immutable before
+ * a new tree generation can start. Since all ancestor trees are immutable,
+ * different active trees can have ancestors in common without fear of
+ * thread corruption problems.
+ *
+ * Internally, any single tree generation is simply stored as the
+ * set of changes between itself and its most recent ancestor (its parent).
+ * This compact delta representation allows chains of element trees to
+ * be created at relatively low cost. Clients of the ElementTree can
+ * instantaneously "undo" sets of changes by navigating up to the parent
+ * tree using the getParent()
method.
+ *
+ * Although the delta representation is compact, extremely long delta
+ * chains make for a large structure that is potentially slow to query.
+ * For this reason, the client is encouraged to minimize delta chain
+ * lengths using the collapsing(int)
and makeComplete()
+ * methods. The getDeltaDepth()
method can be used to
+ * discover the length of the delta chain. The entire delta chain can
+ * also be re-oriented in terms of the current element tree using the
+ * reroot()
operation.
+ *
+ * Classes are also available for tree serialization and navigation.
+ * @see ElementTreeReader
+ * @see ElementTreeWriter
+ * @see ElementTreeIterator
+ *
+ * Finally, why are ElementTrees in a package called "watson"?
+ * - "It's ElementTree my dear Watson, ElementTree."
+ */
+public class ElementTree {
+ protected DeltaDataTree tree;
+ protected IElementTreeData userData;
+
+ private class ChildIDsCache {
+ ChildIDsCache(IPath path, IPath[] childPaths) {
+ this.path = path;
+ this.childPaths = childPaths;
+ }
+
+ IPath path;
+ IPath[] childPaths;
+ }
+
+ private volatile ChildIDsCache childIDsCache = null;
+
+ private volatile DataTreeLookup lookupCache = null;
+
+ private volatile DataTreeLookup lookupCacheIgnoreCase = null;
+
+ private static int treeCounter = 0;
+ private int treeStamp;
+
+ /**
+ * Creates a new empty element tree.
+ */
+ public ElementTree() {
+ initialize(new DeltaDataTree());
+ }
+
+ /**
+ * Creates an element tree given its internal node representation.
+ */
+ protected ElementTree(DataTreeNode rootNode) {
+ initialize(rootNode);
+ }
+
+ /**
+ * Creates a new element tree with the given data tree as its representation.
+ */
+ protected ElementTree(DeltaDataTree tree) {
+ initialize(tree);
+ }
+
+ /**
+ * Creates a new empty delta element tree having the
+ * given tree as its parent.
+ */
+ protected ElementTree(ElementTree parent) {
+ if (!parent.isImmutable()) {
+ parent.immutable();
+ }
+
+ /* copy the user data forward */
+ IElementTreeData data = parent.getTreeData();
+ if (data != null) {
+ userData = (IElementTreeData) data.clone();
+ }
+
+ initialize(parent.tree.newEmptyDeltaTree());
+ }
+
+ /**
+ * Collapses this tree so that the given ancestor becomes its
+ * immediate parent. Afterwards, this tree will still have exactly the
+ * same contents, but its internal structure will be compressed.
+ *
+ *
This operation should be used to collapse chains of
+ * element trees created by newEmptyDelta()/immutable().
+ *
+ *
This element tree must be immutable at the start of this operation,
+ * and will be immutable afterwards.
+ * @return this tree.
+ */
+ public synchronized ElementTree collapseTo(ElementTree parent) {
+ Assert.isTrue(tree.isImmutable());
+ if (this == parent) {
+ //already collapsed
+ return this;
+ }
+ //collapse my tree to be a forward delta of the parent's tree.
+ tree.collapseTo(parent.tree, DefaultElementComparator.getComparator());
+ return this;
+ }
+
+ /**
+ * Creates the indicated element and sets its element info.
+ * The parent element must be present, otherwise an IllegalArgumentException
+ * is thrown. If the indicated element is already present in the tree,
+ * its element info is replaced and any existing children are
+ * deleted.
+ *
+ * @param key element key
+ * @param data element data, or null
+ */
+ public synchronized void createElement(IPath key, Object data) {
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return;
+
+ // Clear the child IDs cache in case it's referring to this parent. This is conservative.
+ childIDsCache = null;
+
+ IPath parent = key.removeLastSegments(1);
+ try {
+ tree.createChild(parent, key.lastSegment(), data);
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(parent);
+ }
+ // Set the lookup to be this newly created object.
+ lookupCache = DataTreeLookup.newLookup(key, true, data, true);
+ lookupCacheIgnoreCase = null;
+ }
+
+ /**
+ * Creates or replaces the subtree below the given path with
+ * the given tree. The subtree can only have one child below
+ * the root, which will become the node specified by the given
+ * key in this tree.
+ *
+ * @param key The path of the new subtree in this tree.
+ * @see #getSubtree(IPath)
+ */
+ public synchronized void createSubtree(IPath key, ElementTree subtree) {
+ /* don't allow creating subtrees at the root */
+ if (key.isRoot()) {
+ throw new IllegalArgumentException(Messages.watson_noModify);
+ }
+
+ // Clear the child IDs cache in case it's referring to this parent.
+ // This is conservative.
+ childIDsCache = null;
+ // Clear the lookup cache, in case the element being created is the same
+ // as for the last lookup.
+ lookupCache = lookupCacheIgnoreCase = null;
+ try {
+ /* don't copy the implicit root node of the subtree */
+ IPath[] children = subtree.getChildren(subtree.getRoot());
+ if (children.length != 1) {
+ throw new IllegalArgumentException(Messages.watson_illegalSubtree);
+ }
+
+ /* get the subtree for the specified key */
+ DataTreeNode node = (DataTreeNode) subtree.tree.copyCompleteSubtree(children[0]);
+
+ /* insert the subtree in this tree */
+ tree.createSubtree(key, node);
+
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ }
+ }
+
+ /**
+ * Deletes the indicated element and its descendents.
+ * The element must be present.
+ */
+ public synchronized void deleteElement(IPath key) {
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return;
+
+ // Clear the child IDs cache in case it's referring to this parent.
+ // This is conservative.
+ childIDsCache = null;
+ // Clear the lookup cache, in case the element being deleted is the same
+ // as for the last lookup.
+ lookupCache = lookupCacheIgnoreCase = null;
+ try {
+ tree.deleteChild(key.removeLastSegments(1), key.lastSegment());
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ }
+ }
+
+ /**
+ * Complains that an element was not found
+ */
+ protected void elementNotFound(IPath key) {
+ throw new IllegalArgumentException(NLS.bind(Messages.watson_elementNotFound, key));
+ }
+
+ /**
+ * Given an array of element trees, returns the index of the
+ * oldest tree. The oldest tree is the tree such that no
+ * other tree in the array is a descendent of that tree.
+ * Note that this counter-intuitive concept of oldest is based on the
+ * ElementTree orientation such that the complete tree is always the
+ * newest tree.
+ */
+ public static int findOldest(ElementTree[] trees) {
+
+ /* first put all the trees in a hashtable */
+ HashMap candidates = new HashMap((int) (trees.length * 1.5 + 1));
+ for (int i = 0; i < trees.length; i++) {
+ candidates.put(trees[i], trees[i]);
+ }
+
+ /* keep removing parents until only one tree remains */
+ ElementTree oldestSoFar = null;
+ while (candidates.size() > 0) {
+ /* get a new candidate */
+ ElementTree current = (ElementTree) candidates.values().iterator().next();
+
+ /* remove this candidate from the table */
+ candidates.remove(current);
+
+ /* remove all of this element's parents from the list of candidates*/
+ ElementTree parent = current.getParent();
+
+ /* walk up chain until we hit the root or a tree we have already tested */
+ while (parent != null && parent != oldestSoFar) {
+ candidates.remove(parent);
+ parent = parent.getParent();
+ }
+
+ /* the current candidate is the oldest tree seen so far */
+ oldestSoFar = current;
+
+ /* if the table is now empty, we have a winner */
+ }
+ Assert.isNotNull(oldestSoFar);
+
+ /* return the appropriate index */
+ for (int i = 0; i < trees.length; i++) {
+ if (trees[i] == oldestSoFar) {
+ return i;
+ }
+ }
+ Assert.isTrue(false, "Should not get here"); //$NON-NLS-1$
+ return -1;
+ }
+
+ /**
+ * Returns the number of children of the element
+ * specified by the given path.
+ * The given element must be present in this tree.
+ */
+ public synchronized int getChildCount(IPath key) {
+ Assert.isNotNull(key);
+ return getChildIDs(key).length;
+ }
+
+ /**
+ * Returns the IDs of the children of the specified element.
+ * If the specified element is null, returns the root element path.
+ */
+ protected IPath[] getChildIDs(IPath key) {
+ ChildIDsCache cache = childIDsCache; // Grab it in case it's replaced concurrently.
+ if (cache != null && cache.path == key) {
+ return cache.childPaths;
+ }
+ try {
+ if (key == null)
+ return new IPath[] {tree.rootKey()};
+ IPath[] children = tree.getChildren(key);
+ childIDsCache = new ChildIDsCache(key, children); // Cache the result
+ return children;
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ return null; // can't get here
+ }
+ }
+
+ /**
+ * Returns the paths of the children of the element
+ * specified by the given path.
+ * The given element must be present in this tree.
+ */
+ public synchronized IPath[] getChildren(IPath key) {
+ Assert.isNotNull(key);
+ return getChildIDs(key);
+ }
+
+ /**
+ * Returns the internal data tree.
+ */
+ public DeltaDataTree getDataTree() {
+ return tree;
+ }
+
+ /**
+ * Returns the element data for the given element identifier.
+ * The given element must be present in this tree.
+ */
+ public synchronized Object getElementData(IPath key) {
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return null;
+ DataTreeLookup lookup = lookupCache; // Grab it in case it's replaced concurrently.
+ if (lookup == null || lookup.key != key)
+ lookupCache = lookup = tree.lookup(key);
+ if (lookup.isPresent)
+ return lookup.data;
+ elementNotFound(key);
+ return null; // can't get here
+ }
+
+ /**
+ * Returns the element data for the given element identifier.
+ * The given element must be present in this tree.
+ */
+ public synchronized Object getElementDataIgnoreCase(IPath key) {
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return null;
+ DataTreeLookup lookup = lookupCacheIgnoreCase; // Grab it in case it's replaced concurrently.
+ if (lookup == null || lookup.key != key)
+ lookupCacheIgnoreCase = lookup = tree.lookupIgnoreCase(key);
+ if (lookup.isPresent)
+ return lookup.data;
+ elementNotFound(key);
+ return null; // can't get here
+ }
+
+ /**
+ * Returns the names of the children of the specified element.
+ * The specified element must exist in the tree.
+ * If the specified element is null, returns the root element path.
+ */
+ public synchronized String[] getNamesOfChildren(IPath key) {
+ try {
+ if (key == null)
+ return new String[] {""}; //$NON-NLS-1$
+ return tree.getNamesOfChildren(key);
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ return null; // can't get here
+ }
+ }
+
+ /**
+ * Returns the parent tree, or null
if there is no parent.
+ */
+ public ElementTree getParent() {
+ DeltaDataTree parentTree = tree.getParent();
+ if (parentTree == null) {
+ return null;
+ }
+ // The parent ElementTree is stored as the node data of the parent DeltaDataTree,
+ // to simplify canonicalization in the presence of rerooting.
+ return (ElementTree) parentTree.getData(tree.rootKey());
+ }
+
+ /**
+ * Returns the root node of this tree.
+ */
+ public IPath getRoot() {
+ return getChildIDs(null)[0];
+ }
+
+ /**
+ * Returns the subtree rooted at the given key. In the resulting tree,
+ * the implicit root node (designated by Path.ROOT), has a single child,
+ * which is the node specified by the given key in this tree.
+ *
+ * The subtree must be present in this tree.
+ *
+ * @see #createSubtree(IPath, ElementTree)
+ */
+ public ElementTree getSubtree(IPath key) {
+ /* the subtree of the root of this tree is just this tree */
+ if (key.isRoot()) {
+ return this;
+ }
+ try {
+ DataTreeNode elementNode = (DataTreeNode) tree.copyCompleteSubtree(key);
+ return new ElementTree(elementNode);
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ return null;
+ }
+ }
+
+ /**
+ * Returns the user data associated with this tree.
+ */
+ public IElementTreeData getTreeData() {
+ return userData;
+ }
+
+ /**
+ * Returns true if there have been changes in the tree between the two
+ * given layers. The two must be related and new must be newer than old.
+ * That is, new must be an ancestor of old.
+ */
+ public static boolean hasChanges(ElementTree newLayer, ElementTree oldLayer, IElementComparator comparator, boolean inclusive) {
+ // if any of the layers are null, assume that things have changed
+ if (newLayer == null || oldLayer == null)
+ return true;
+ if (newLayer == oldLayer)
+ return false;
+ //if the tree data has changed, then the tree has changed
+ if (comparator.compare(newLayer.getTreeData(), oldLayer.getTreeData()) != IElementComparator.K_NO_CHANGE)
+ return true;
+
+ // The tree structure has the top layer(s) (i.e., tree) parentage pointing down to a complete
+ // layer whose parent is null. The bottom layers (i.e., operationTree) point up to the
+ // common complete layer whose parent is null. The complete layer moves up as
+ // changes happen. To see if any changes have happened, we should consider only
+ // layers whose parent is not null. That is, skip the complete layer as it will clearly not be
+ // empty.
+
+ // look down from the current layer (always inclusive) if the top layer is mutable
+ ElementTree stopLayer = null;
+ if (newLayer.isImmutable())
+ // if the newLayer is immutable, the tree structure all points up so ensure that
+ // when searching up, we stop at newLayer (inclusive)
+ stopLayer = newLayer.getParent();
+ else {
+ ElementTree layer = newLayer;
+ while (layer != null && layer.getParent() != null) {
+ if (!layer.getDataTree().isEmptyDelta())
+ return true;
+ layer = layer.getParent();
+ }
+ }
+
+ // look up from the layer at which we started to null or newLayer's parent (variably inclusive)
+ // depending on whether newLayer is mutable.
+ ElementTree layer = inclusive ? oldLayer : oldLayer.getParent();
+ while (layer != null && layer.getParent() != stopLayer) {
+ if (!layer.getDataTree().isEmptyDelta())
+ return true;
+ layer = layer.getParent();
+ }
+ // didn't find anything that changed
+ return false;
+ }
+
+ /**
+ * Makes this tree immutable (read-only); ignored if it is already
+ * immutable.
+ */
+ public synchronized void immutable() {
+ if (!tree.isImmutable()) {
+ tree.immutable();
+ /* need to clear the lookup cache since it reports whether results were found
+ in the topmost delta, and the order of deltas is changing */
+ lookupCache = lookupCacheIgnoreCase = null;
+ /* reroot the delta chain at this tree */
+ tree.reroot();
+ }
+ }
+
+ /**
+ * Returns true if this element tree includes an element with the given
+ * key, false otherwise.
+ */
+ public synchronized boolean includes(IPath key) {
+ DataTreeLookup lookup = lookupCache; // Grab it in case it's replaced concurrently.
+ if (lookup == null || lookup.key != key) {
+ lookupCache = lookup = tree.lookup(key);
+ }
+ return lookup.isPresent;
+ }
+
+ /**
+ * Returns true if this element tree includes an element with the given
+ * key, ignoring the case of the key, and false otherwise.
+ */
+ public boolean includesIgnoreCase(IPath key) {
+ DataTreeLookup lookup = lookupCacheIgnoreCase; // Grab it in case it's replaced concurrently.
+ if (lookup == null || lookup.key != key) {
+ lookupCacheIgnoreCase = lookup = tree.lookupIgnoreCase(key);
+ }
+ return lookup.isPresent;
+ }
+
+ protected void initialize(DataTreeNode rootNode) {
+ /* create the implicit root node */
+ initialize(new DeltaDataTree(new DataTreeNode(null, null, new AbstractDataTreeNode[] {rootNode})));
+ }
+
+ protected void initialize(DeltaDataTree newTree) {
+ // Keep this element tree as the data of the root node.
+ // Useful for canonical results for ElementTree.getParent().
+ // see getParent().
+ treeStamp = treeCounter++;
+ newTree.setData(newTree.rootKey(), this);
+ this.tree = newTree;
+ }
+
+ /**
+ * Returns whether this tree is immutable.
+ */
+ public boolean isImmutable() {
+ return tree.isImmutable();
+ }
+
+ /**
+ * Merges a chain of deltas for a certain subtree to this tree.
+ * If this tree has any data in the specified subtree, it will
+ * be overwritten. The receiver tree must be open, and it will
+ * be made immutable during the merge operation. The trees in the
+ * provided array will be replaced by new trees that have been
+ * merged into the receiver's delta chain.
+ *
+ * @param path The path of the subtree chain to merge
+ * @param trees The chain of trees to merge. The trees can be
+ * in any order, but they must all form a simple ancestral chain.
+ * @return A new open tree with the delta chain merged in.
+ */
+ public ElementTree mergeDeltaChain(IPath path, ElementTree[] trees) {
+ if (path == null || trees == null) {
+ throw new IllegalArgumentException(NLS.bind(Messages.watson_nullArg, "ElementTree.mergeDeltaChain")); //$NON-NLS-1$
+ }
+
+ /* The tree has to be open */
+ if (isImmutable()) {
+ throw new IllegalArgumentException(Messages.watson_immutable);
+ }
+ ElementTree current = this;
+ if (trees.length > 0) {
+ /* find the oldest tree to be merged */
+ ElementTree toMerge = trees[findOldest(trees)];
+
+ /* merge the trees from oldest to newest */
+ while (toMerge != null) {
+ if (path.isRoot()) {
+ //copy all the children
+ IPath[] children = toMerge.getChildren(Path.ROOT);
+ for (int i = 0; i < children.length; i++) {
+ current.createSubtree(children[i], toMerge.getSubtree(children[i]));
+ }
+ } else {
+ //just copy the specified node
+ current.createSubtree(path, toMerge.getSubtree(path));
+ }
+ current.immutable();
+
+ /* replace the tree in the array */
+ /* we have to go through all trees because there may be duplicates */
+ for (int i = 0; i < trees.length; i++) {
+ if (trees[i] == toMerge) {
+ trees[i] = current;
+ }
+ }
+ current = current.newEmptyDelta();
+ toMerge = toMerge.getParent();
+ }
+ }
+ return current;
+ }
+
+ /**
+ * Creates a new element tree which is represented as a delta on this one.
+ * Initially they have the same content. Subsequent changes to the new
+ * tree will not affect this one.
+ */
+ public synchronized ElementTree newEmptyDelta() {
+ // Don't want old trees hanging onto cached infos.
+ lookupCache = lookupCacheIgnoreCase = null;
+ return new ElementTree(this);
+ }
+
+ /**
+ * Returns a mutable copy of the element data for the given path.
+ * This copy will be held onto in the most recent delta.
+ * ElementTree data MUST implement the IElementTreeData interface
+ * for this method to work. If the data does not define that interface
+ * this method will fail.
+ */
+ public synchronized Object openElementData(IPath key) {
+ Assert.isTrue(!isImmutable());
+
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return null;
+ DataTreeLookup lookup = lookupCache; // Grab it in case it's replaced concurrently.
+ if (lookup == null || lookup.key != key) {
+ lookupCache = lookup = tree.lookup(key);
+ }
+ if (lookup.isPresent) {
+ if (lookup.foundInFirstDelta)
+ return lookup.data;
+ /**
+ * The node has no data in the most recent delta.
+ * Pull it up to the present delta by setting its data with a clone.
+ */
+ IElementTreeData oldData = (IElementTreeData) lookup.data;
+ if (oldData != null) {
+ try {
+ Object newData = oldData.clone();
+ tree.setData(key, newData);
+ lookupCache = lookupCacheIgnoreCase = null;
+ return newData;
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ }
+ }
+ } else {
+ elementNotFound(key);
+ }
+ return null;
+ }
+
+ /**
+ * Sets the element for the given element identifier.
+ * The given element must be present in this tree.
+ * @param key element identifier
+ * @param data element info, or null
+ */
+ public synchronized void setElementData(IPath key, Object data) {
+ /* don't allow modification of the implicit root */
+ if (key.isRoot())
+ return;
+
+ Assert.isNotNull(key);
+ // Clear the lookup cache, in case the element being modified is the same
+ // as for the last lookup.
+ lookupCache = lookupCacheIgnoreCase = null;
+ try {
+ tree.setData(key, data);
+ } catch (ObjectNotFoundException e) {
+ elementNotFound(key);
+ }
+ }
+
+ /**
+ * Sets the user data associated with this tree.
+ */
+ public void setTreeData(IElementTreeData data) {
+ userData = data;
+ }
+
+ /* (non-Javadoc)
+ * Method declared on IStringPoolParticipant
+ */
+ public void shareStrings(StringPool set) {
+ tree.storeStrings(set);
+ }
+
+ /**
+ * Returns a string representation of this element tree's
+ * structure suitable for debug purposes.
+ */
+ public String toDebugString() {
+ final StringBuffer buffer = new StringBuffer("\n"); //$NON-NLS-1$
+ IElementContentVisitor visitor = new IElementContentVisitor() {
+ public boolean visitElement(ElementTree aTree, IPathRequestor elementID, Object elementContents) {
+ buffer.append(elementID.requestPath() + " " + elementContents + "\n"); //$NON-NLS-1$ //$NON-NLS-2$
+ return true;
+ }
+ };
+ new ElementTreeIterator(this, Path.ROOT).iterate(visitor);
+ return buffer.toString();
+ }
+
+ public String toString() {
+ return "ElementTree(" + treeStamp + ")"; //$NON-NLS-1$ //$NON-NLS-2$
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeIterator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeIterator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,165 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import org.eclipse.core.internal.dtree.AbstractDataTreeNode;
+import org.eclipse.core.internal.dtree.DataTreeNode;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.Path;
+
+/**
+ * A class for performing operations on each element in an element tree.
+ * For example, this can be used to print the contents of a tree.
+ *
+ * When creating an ElementTree iterator, an element tree and root path must be
+ * supplied. When the iterate()
method is called, a visitor object
+ * must be provided. The visitor is called once for each node of the tree. For
+ * each node, the visitor is passed the entire tree, the object in the tree at
+ * that node, and a callback for requesting the full path of that node.
+ *
+ * Example:
+
+ // printing a crude representation of the poster child
+ IElementContentVisitor visitor=
+ new IElementContentVisitor() {
+ public boolean visitElement(ElementTree tree, IPathRequestor requestor, Object elementContents) {
+ System.out.println(requestor.requestPath() + " -> " + elementContents);
+ return true;
+ }
+ });
+ ElementTreeIterator iterator = new ElementTreeIterator(tree, Path.ROOT);
+ iterator.iterate(visitor);
+
+ */
+public class ElementTreeIterator implements IPathRequestor {
+ //for path requestor
+ private String[] segments = new String[10];
+ private int nextFreeSegment;
+
+ /* the tree being visited */
+ private ElementTree tree;
+
+ /* the root of the subtree to visit */
+ private IPath path;
+
+ /* the immutable data tree being visited */
+ private DataTreeNode treeRoot;
+
+ /**
+ * Creates a new element tree iterator for visiting the given tree starting
+ * at the given path.
+ */
+ public ElementTreeIterator(ElementTree tree, IPath path) {
+ this.tree = tree;
+ this.path = path;
+ //treeRoot can be null if deleted concurrently
+ //must copy the tree while owning the tree's monitor to prevent concurrent deletion while creating visitor's copy
+ synchronized (tree) {
+ treeRoot = (DataTreeNode) tree.getDataTree().safeCopyCompleteSubtree(path);
+ }
+ }
+
+ /**
+ * Iterates through the given element tree and visit each element (node)
+ * passing in the element's ID and element object.
+ */
+ private void doIteration(DataTreeNode node, IElementContentVisitor visitor) {
+ //push the name of this node to the requestor stack
+ if (nextFreeSegment >= segments.length) {
+ grow();
+ }
+ segments[nextFreeSegment++] = node.getName();
+
+ //do the visit
+ if (visitor.visitElement(tree, this, node.getData())) {
+ //recurse
+ AbstractDataTreeNode[] children = node.getChildren();
+ for (int i = children.length; --i >= 0;) {
+ doIteration((DataTreeNode) children[i], visitor);
+ }
+ }
+
+ //pop the segment from the requestor stack
+ nextFreeSegment--;
+ if (nextFreeSegment < 0)
+ nextFreeSegment = 0;
+ }
+
+ /**
+ * Method grow.
+ */
+ private void grow() {
+ //grow the segments array
+ int oldLen = segments.length;
+ String[] newPaths = new String[oldLen * 2];
+ System.arraycopy(segments, 0, newPaths, 0, oldLen);
+ segments = newPaths;
+ }
+
+ /**
+ * Iterates through this iterator's tree and visits each element in the
+ * subtree rooted at the given path. The visitor is passed each element's
+ * data and a request callback for obtaining the path.
+ */
+ public void iterate(IElementContentVisitor visitor) {
+ if (path.isRoot()) {
+ //special visit for root element to use special treeData
+ if (visitor.visitElement(tree, this, tree.getTreeData())) {
+ if (treeRoot == null)
+ return;
+ AbstractDataTreeNode[] children = treeRoot.getChildren();
+ for (int i = children.length; --i >= 0;) {
+ doIteration((DataTreeNode) children[i], visitor);
+ }
+ }
+ } else {
+ if (treeRoot == null)
+ return;
+ push(path, path.segmentCount() - 1);
+ doIteration(treeRoot, visitor);
+ }
+ }
+
+ /**
+ * Push the first "toPush" segments of this path.
+ */
+ private void push(IPath pathToPush, int toPush) {
+ if (toPush <= 0)
+ return;
+ for (int i = 0; i < toPush; i++) {
+ if (nextFreeSegment >= segments.length) {
+ grow();
+ }
+ segments[nextFreeSegment++] = pathToPush.segment(i);
+ }
+ }
+
+ public String requestName() {
+ if (nextFreeSegment == 0)
+ return ""; //$NON-NLS-1$
+ return segments[nextFreeSegment - 1];
+ }
+
+ public IPath requestPath() {
+ if (nextFreeSegment == 0)
+ return Path.ROOT;
+ int length = nextFreeSegment;
+ for (int i = 0; i < nextFreeSegment; i++) {
+ length += segments[i].length();
+ }
+ StringBuffer pathBuf = new StringBuffer(length);
+ for (int i = 0; i < nextFreeSegment; i++) {
+ pathBuf.append('/');
+ pathBuf.append(segments[i]);
+ }
+ return new Path(null, pathBuf.toString());
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeReader.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeReader.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,125 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import java.io.*;
+import org.eclipse.core.internal.dtree.DataTreeReader;
+import org.eclipse.core.internal.dtree.IDataFlattener;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.runtime.*;
+
+/** ElementTreeReader
is the standard implementation
+ * of an element tree serialization reader.
+ *
+ *
Subclasses of this reader read can handle current and various
+ * known old formats of a saved element tree, and dispatch internally
+ * to an appropriate reader.
+ *
+ *
The reader has an IElementInfoFactory
,
+ * which it consults for the schema and for creating
+ * and reading element infos.
+ *
+ *
Element tree readers are thread-safe; several
+ * threads may share a single reader provided, of course,
+ * that the IElementInfoFactory
is thread-safe.
+ */
+public class ElementTreeReader {
+ /** The element info factory.
+ */
+ protected IElementInfoFlattener elementInfoFlattener;
+
+ /**
+ * For reading and writing delta trees
+ */
+ protected DataTreeReader dataTreeReader;
+
+ /**
+ * Constructs a new element tree reader that works for
+ * the given element info flattener.
+ */
+ public ElementTreeReader(final IElementInfoFlattener factory) {
+ Assert.isNotNull(factory);
+ elementInfoFlattener = factory;
+
+ /* wrap the IElementInfoFlattener in an IDataFlattener */
+ IDataFlattener f = new IDataFlattener() {
+ public void writeData(IPath path, Object data, DataOutput output) {
+ //not needed
+ }
+
+ public Object readData(IPath path, DataInput input) throws IOException {
+ //never read the root node of an ElementTree
+ //this node is reserved for the parent backpointer
+ if (!Path.ROOT.equals(path))
+ return factory.readElement(path, input);
+ return null;
+ }
+ };
+ dataTreeReader = new DataTreeReader(f);
+ }
+
+ /**
+ * Returns the appropriate reader for the given version.
+ */
+ public ElementTreeReader getReader(int formatVersion) throws IOException {
+ if (formatVersion == 1)
+ return new ElementTreeReaderImpl_1(elementInfoFlattener);
+ throw new IOException(Messages.watson_unknown);
+ }
+
+ /**
+ * Reads an element tree delta from the input stream, and
+ * reconstructs it as a delta on the given tree.
+ */
+ public ElementTree readDelta(ElementTree completeTree, DataInput input) throws IOException {
+ /* Dispatch to the appropriate reader. */
+ ElementTreeReader realReader = getReader(readNumber(input));
+ return realReader.readDelta(completeTree, input);
+ }
+
+ /**
+ * Reads a chain of ElementTrees from the given input stream.
+ * @return A chain of ElementTrees, where the first tree in the list is
+ * complete, and all other trees are deltas on the previous tree in the list.
+ */
+ public ElementTree[] readDeltaChain(DataInput input) throws IOException {
+ /* Dispatch to the appropriate reader. */
+ ElementTreeReader realReader = getReader(readNumber(input));
+ return realReader.readDeltaChain(input);
+ }
+
+ /**
+ * Reads an integer stored in compact format. Numbers between
+ * 0 and 254 inclusive occupy 1 byte; other numbers occupy 5 bytes,
+ * the first byte being 0xff and the next 4 bytes being the standard
+ * representation of an int.
+ */
+ protected static int readNumber(DataInput input) throws IOException {
+ byte b = input.readByte();
+ int number = (b & 0xff); // not a no-op! converts unsigned byte to int
+
+ if (number == 0xff) { // magic escape value
+ number = input.readInt();
+ }
+ return number;
+ }
+
+ /**
+ * Reads an element tree from the input stream and returns it.
+ * This method actually just dispatches to the appropriate reader
+ * depending on the stream version id.
+ */
+ public ElementTree readTree(DataInput input) throws IOException {
+ /* Dispatch to the appropriate reader. */
+ ElementTreeReader realReader = getReader(readNumber(input));
+ return realReader.readTree(input);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeReaderImpl_1.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeReaderImpl_1.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,105 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import java.io.DataInput;
+import java.io.IOException;
+import org.eclipse.core.internal.dtree.DeltaDataTree;
+
+/** ElementTreeReader_1
is an implementation
+ * of the ElementTreeReader
for format version 1.
+ *
+ *
Instances of this reader read only format 1
+ * of a saved element tree (they do not deal with
+ * compatibility issues).
+ *
+ * @see ElementTreeReader
+ */
+/* package */class ElementTreeReaderImpl_1 extends ElementTreeReader {
+
+ /**
+ * Constructs a new element tree reader that works for
+ * the given element info factory.
+ */
+ ElementTreeReaderImpl_1(IElementInfoFlattener factory) {
+ super(factory);
+ }
+
+ /**
+ * Reads an element tree delta from the input stream, and
+ * reconstructs it as a delta on the given tree.
+ */
+ public ElementTree readDelta(ElementTree parentTree, DataInput input) throws IOException {
+ DeltaDataTree complete = parentTree.getDataTree();
+ DeltaDataTree delta = dataTreeReader.readTree(complete, input);
+
+ //if the delta is empty, just return the parent
+ if (delta.isEmptyDelta())
+ return parentTree;
+
+ ElementTree tree = new ElementTree(delta);
+
+ //copy the user data forward
+ IElementTreeData data = parentTree.getTreeData();
+ if (data != null) {
+ tree.setTreeData((IElementTreeData) data.clone());
+ }
+
+ //make the underlying data tree immutable
+ //can't call immutable() on the ElementTree because
+ //this would attempt to reroot.
+ delta.immutable();
+ return tree;
+ }
+
+ /**
+ * Reads a chain of ElementTrees from the given input stream.
+ * @return A chain of ElementTrees, where the first tree in the list is
+ * complete, and all other trees are deltas on the previous tree in the list.
+ */
+ public ElementTree[] readDeltaChain(DataInput input) throws IOException {
+ /* read the number of trees */
+ int treeCount = readNumber(input);
+ ElementTree[] results = new ElementTree[treeCount];
+
+ if (treeCount <= 0) {
+ return results;
+ }
+
+ /* read the sort order */
+ int[] order = new int[treeCount];
+ for (int i = 0; i < treeCount; i++) {
+ order[i] = readNumber(input);
+ }
+
+ /* read the complete tree */
+ results[order[0]] = super.readTree(input);
+
+ /* reconstitute each of the remaining trees from their written deltas */
+ for (int i = 1; i < treeCount; i++) {
+ results[order[i]] = super.readDelta(results[order[i - 1]], input);
+ }
+
+ return results;
+ }
+
+ /** Part of ElementTreeReader
interface.
+ * @see ElementTreeReader
+ */
+ public ElementTree readTree(DataInput input) throws IOException {
+
+ /* The format version number has already been consumed
+ * by ElementTreeReader#readFrom.
+ */
+ ElementTree result = new ElementTree(dataTreeReader.readTree(null, input));
+ return result;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeWriter.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/ElementTreeWriter.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,237 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import java.io.*;
+import java.util.*;
+import org.eclipse.core.internal.dtree.*;
+import org.eclipse.core.runtime.*;
+
+/** ElementTreeWriter
flattens an ElementTree
+ * onto a data output stream.
+ *
+ *
This writer generates the most up-to-date format
+ * of a saved element tree (cf. readers, which must usually also
+ * deal with backward compatibility issues). The flattened
+ * representation always includes a format version number.
+ *
+ *
The writer has an IElementInfoFactory
,
+ * which it consults for writing element infos.
+ *
+ *
Element tree writers are thread-safe; several
+ * threads may share a single writer.
+ *
+ */
+public class ElementTreeWriter {
+ /**
+ * The current format version number.
+ */
+ public static final int CURRENT_FORMAT = 1;
+
+ /**
+ * Constant representing infinite depth
+ */
+ public static final int D_INFINITE = DataTreeWriter.D_INFINITE;
+
+ /**
+ * For writing DeltaDataTrees
+ */
+ protected DataTreeWriter dataTreeWriter;
+
+ /**
+ * Constructs a new element tree writer that works for
+ * the given element info flattener.
+ */
+ public ElementTreeWriter(final IElementInfoFlattener flattener) {
+
+ /* wrap the IElementInfoFlattener in an IDataFlattener */
+ IDataFlattener f = new IDataFlattener() {
+ public void writeData(IPath path, Object data, DataOutput output) throws IOException {
+ // never write the root node of an ElementTree
+ //because it contains the parent backpointer.
+ if (!Path.ROOT.equals(path)) {
+ flattener.writeElement(path, data, output);
+ }
+ }
+
+ public Object readData(IPath path, DataInput input) {
+ return null;
+ }
+ };
+ dataTreeWriter = new DataTreeWriter(f);
+ }
+
+ /**
+ * Sorts the given array of trees so that the following rules are true:
+ * - The first tree has no parent
+ * - No tree has an ancestor with a greater index in the array.
+ * If there are no missing parents in the given trees array, this means
+ * that in the resulting array, the i'th tree's parent will be tree i-1.
+ * The input tree array may contain duplicate trees.
+ * The sort order is written to the given output stream.
+ */
+ protected ElementTree[] sortTrees(ElementTree[] trees, DataOutput output) throws IOException {
+
+ /* the sorted list */
+ int numTrees = trees.length;
+ ElementTree[] sorted = new ElementTree[numTrees];
+ int[] order = new int[numTrees];
+
+ /* first build a table of ElementTree -> Vector of Integers(indices in trees array) */
+ HashMap table = new HashMap(numTrees * 2 + 1);
+ for (int i = 0; i < trees.length; i++) {
+ List indices = (List) table.get(trees[i]);
+ if (indices == null) {
+ indices = new ArrayList();
+ table.put(trees[i], indices);
+ }
+ indices.add(new Integer(i));
+ }
+
+ /* find the oldest tree (a descendent of all other trees) */
+ ElementTree oldest = trees[ElementTree.findOldest(trees)];
+
+ /**
+ * Walk through the chain of trees from oldest to newest,
+ * adding them to the sorted list as we go.
+ */
+ int i = numTrees - 1;
+ while (i >= 0) {
+ /* add all instances of the current oldest tree to the sorted list */
+ List indices = (List) table.remove(oldest);
+ for (Enumeration e = Collections.enumeration(indices); e.hasMoreElements();) {
+ Integer next = (Integer) e.nextElement();
+ sorted[i] = oldest;
+ order[i] = next.intValue();
+ i--;
+ }
+ if (i >= 0) {
+ /* find the next tree in the list */
+ ElementTree parent = oldest.getParent();
+ while (table.get(parent) == null) {
+ parent = parent.getParent();
+ }
+ oldest = parent;
+ }
+ }
+
+ /* write the order array */
+ for (i = 0; i < numTrees; i++) {
+ writeNumber(order[i], output);
+ }
+ return sorted;
+ }
+
+ /**
+ * Writes the delta describing the changes that have to be made
+ * to newerTree to obtain olderTree.
+ *
+ * @param path The path of the subtree to write. All nodes on the path above
+ * the subtree are represented as empty nodes.
+ * @param depth The depth of the subtree to write. A depth of zero writes a
+ * single node, and a depth of D_INFINITE writes the whole subtree.
+ * @param output The stream to write the subtree to.
+ */
+ public void writeDelta(ElementTree olderTree, ElementTree newerTree, IPath path, int depth, final DataOutput output, IElementComparator comparator) throws IOException {
+
+ /* write the version number */
+ writeNumber(CURRENT_FORMAT, output);
+
+ /**
+ * Note that in current ElementTree usage, the newest
+ * tree is the complete tree, and older trees are just
+ * deltas on the new tree.
+ */
+ DeltaDataTree completeTree = newerTree.getDataTree();
+ DeltaDataTree derivedTree = olderTree.getDataTree();
+ DeltaDataTree deltaToWrite = null;
+
+ deltaToWrite = completeTree.forwardDeltaWith(derivedTree, comparator);
+
+ Assert.isTrue(deltaToWrite.isImmutable());
+ dataTreeWriter.writeTree(deltaToWrite, path, depth, output);
+ }
+
+ /**
+ * Writes an array of ElementTrees to the given output stream.
+ * @param trees A chain of ElementTrees, where on tree in the list is
+ * complete, and all other trees are deltas on the previous tree in the list.
+ * @param path The path of the subtree to write. All nodes on the path above
+ * the subtree are represented as empty nodes.
+ * @param depth The depth of the subtree to write. A depth of zero writes a
+ * single node, and a depth of D_INFINITE writes the whole subtree.
+ * @param output The stream to write the subtree to.
+
+ */
+ public void writeDeltaChain(ElementTree[] trees, IPath path, int depth, DataOutput output, IElementComparator comparator) throws IOException {
+ /* Write the format version number */
+ writeNumber(CURRENT_FORMAT, output);
+
+ /* Write the number of trees */
+ int treeCount = trees.length;
+ writeNumber(treeCount, output);
+
+ if (treeCount <= 0) {
+ return;
+ }
+
+ /**
+ * Sort the trees in ancestral order,
+ * which writes the tree order to the output
+ */
+ ElementTree[] sortedTrees = sortTrees(trees, output);
+
+ /* Write the complete tree */
+ writeTree(sortedTrees[0], path, depth, output);
+
+ /* Write the deltas for each of the remaining trees */
+ for (int i = 1; i < treeCount; i++) {
+ writeDelta(sortedTrees[i], sortedTrees[i - 1], path, depth, output, comparator);
+ }
+ }
+
+ /**
+ * Writes an integer in a compact format biased towards
+ * small non-negative numbers. Numbers between
+ * 0 and 254 inclusive occupy 1 byte; other numbers occupy 5 bytes.
+ */
+ protected void writeNumber(int number, DataOutput output) throws IOException {
+ if (number >= 0 && number < 0xff) {
+ output.writeByte(number);
+ } else {
+ output.writeByte(0xff);
+ output.writeInt(number);
+ }
+ }
+
+ /**
+ * Writes all or some of an element tree to an output stream.
+ * This always writes the most current version of the element tree
+ * file format, whereas the reader supports multiple versions.
+ *
+ * @param tree The tree to write
+ * @param path The path of the subtree to write. All nodes on the path above
+ * the subtree are represented as empty nodes.
+ * @param depth The depth of the subtree to write. A depth of zero writes a
+ * single node, and a depth of D_INFINITE writes the whole subtree.
+ * @param output The stream to write the subtree to.
+ */
+ public void writeTree(ElementTree tree, IPath path, int depth, final DataOutput output) throws IOException {
+
+ /* Write the format version number. */
+ writeNumber(CURRENT_FORMAT, output);
+
+ /* This actually just copies the root node, which is what we want */
+ DeltaDataTree subtree = new DeltaDataTree(tree.getDataTree().copyCompleteSubtree(Path.ROOT));
+
+ dataTreeWriter.writeTree(subtree, path, depth, output);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementComparator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementComparator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,25 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import org.eclipse.core.internal.dtree.IComparator;
+
+/**
+ * This interface allows clients of the element tree to specify
+ * how element infos are compared, and thus how element tree deltas
+ * are created.
+ */
+public interface IElementComparator extends IComparator {
+ /**
+ * The kinds of changes
+ */
+ public int K_NO_CHANGE = 0;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementContentVisitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementContentVisitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,30 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+/**
+ * An interface for objects which can visit an element of
+ * an element tree and access that element's node info.
+ * @see ElementTreeIterator
+ */
+public interface IElementContentVisitor {
+ /** Visits a node (element).
+ *
Note that elementContents
is equal totree.
+ * getElement(elementPath)
but takes no time.
+ * @param tree the element tree being visited
+ * @param elementContents the object at the node being visited on this call
+ * @param requestor callback object for requesting the path of the object being
+ * visited.
+ * @return true if this element's children should be visited, and false
+ * otherwise.
+ */
+ public boolean visitElement(ElementTree tree, IPathRequestor requestor, Object elementContents);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementInfoFlattener.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementInfoFlattener.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,39 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import java.io.*;
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * The IElementInfoFlattener
interface supports
+ * reading and writing element info objects.
+ */
+public interface IElementInfoFlattener {
+ /**
+ * Reads an element info from the given input stream.
+ * @param elementPath the path of the element to be read
+ * @param input the stream from which the element info should be read.
+ * @return the object associated with the given elementPath,
+ * which may be null
.
+ */
+ public Object readElement(IPath elementPath, DataInput input) throws IOException;
+
+ /**
+ * Writes the given element to the output stream.
+ *
N.B. The bytes written must be sufficient for the
+ * purposes of reading the object back in.
+ * @param elementPath the element's path in the tree
+ * @param element the object associated with the given path,
+ * which may be null
.
+ */
+ public void writeElement(IPath elementPath, Object element, DataOutput output) throws IOException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementTreeData.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IElementTreeData.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,22 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+/**
+ * User data that can be attached to the element tree itself.
+ */
+public interface IElementTreeData extends Cloneable {
+ /**
+ * ElementTreeData must define a publicly accessible clone method.
+ * This method can simply invoke Object's clone method.
+ */
+ public Object clone();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IPathRequestor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/internal/watson/IPathRequestor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,23 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.internal.watson;
+
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * Callback interface so visitors can request the path of the object they
+ * are visiting. This avoids creating paths when they are not needed.
+ */
+public interface IPathRequestor {
+ public IPath requestPath();
+
+ public String requestName();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ICommand.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ICommand.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,133 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.Map;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A builder command names a builder and supplies a table of
+ * name-value argument pairs.
+ *
+ * Changes to a command will only take effect if the modified command is installed
+ * into a project description via {@link IProjectDescription#setBuildSpec(ICommand[])}.
+ *
+ *
+ * @see IProjectDescription
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface ICommand {
+
+ /**
+ * Returns a table of the arguments for this command, or null
+ * if there are no arguments. The argument names and values are both strings.
+ *
+ * @return a table of command arguments (key type : String
+ * value type : String
), or null
+ * @see #setArguments(Map)
+ */
+ public Map getArguments();
+
+ /**
+ * Returns the name of the builder to run for this command, or
+ * null
if the name has not been set.
+ *
+ * @return the name of the builder, or null
if not set
+ * @see #setBuilderName(String)
+ */
+ public String getBuilderName();
+
+ /**
+ * Returns whether this build command responds to the given kind of build.
+ *
+ * By default, build commands respond to all kinds of builds.
+ *
+ *
+ * @param kind One of the *_BUILD constants defined
+ * on IncrementalProjectBuilder
+ * @return true
if this build command responds to the specified
+ * kind of build, and false
otherwise.
+ * @see #setBuilding(int, boolean)
+ * @since 3.1
+ */
+ public boolean isBuilding(int kind);
+
+ /**
+ * Returns whether this command allows configuring of what kinds of builds
+ * it responds to. By default, commands are only configurable
+ * if the corresponding builder defines the {@link #isConfigurable}
+ * attribute in its builder extension declaration. A command that is not
+ * configurable will always respond to all kinds of builds.
+ *
+ * @return true
If this command allows configuration of
+ * what kinds of builds it responds to, and false
otherwise.
+ * @see #setBuilding(int, boolean)
+ * @since 3.1
+ */
+ public boolean isConfigurable();
+
+ /**
+ * Sets this command's arguments to be the given table of name-values
+ * pairs, or to null
if there are no arguments. The argument
+ * names and values are both strings.
+ *
+ * Individual builders specify their argument expectations.
+ *
+ *
+ * Note that modifications to the arguments of a command
+ * being used in a running builder may affect the run of that builder
+ * but will not affect any subsequent runs. To change a command
+ * permanently you must install the command into the relevant project
+ * build spec using {@link IProjectDescription#setBuildSpec(ICommand[])}.
+ *
+ *
+ * @param args a table of command arguments (keys and values must
+ * both be of type String
), or null
+ * @see #getArguments()
+ */
+ public void setArguments(Map args);
+
+ /**
+ * Sets the name of the builder to run for this command.
+ *
+ * The builder name comes from the extension that plugs in
+ * to the standard org.eclipse.core.resources.builders
+ * extension point.
+ *
+ *
+ * @param builderName the name of the builder
+ * @see #getBuilderName()
+ */
+ public void setBuilderName(String builderName);
+
+ /**
+ * Specifies whether this build command responds to the provided kind of build.
+ *
+ * When a command is configured to not respond to a given kind of build, the
+ * builder instance will not be called when a build of that kind is initiated.
+ *
+ * This method has no effect if this build command does not allow its
+ * build kinds to be configured.
+ *
+ *
+ * @param kind One of the *_BUILD constants defined
+ * on IncrementalProjectBuilder
+ * @param value true
if this build command responds to the
+ * specified kind of build, and false
otherwise.
+ * @see #isBuilding(int)
+ * @see #isConfigurable()
+ * @see IWorkspace#build(int, IProgressMonitor)
+ * @see IProject#build(int, IProgressMonitor)
+ * @since 3.1
+ */
+ public void setBuilding(int kind, boolean value);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IContainer.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IContainer.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,468 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.*;
+
+/**
+ * Interface for resources which may contain
+ * other resources (termed its members ). While the
+ * workspace itself is not considered a container in this sense, the
+ * workspace root resource is a container.
+ *
+ * Containers implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see Platform#getAdapterManager()
+ * @see IProject
+ * @see IFolder
+ * @see IWorkspaceRoot
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IContainer extends IResource, IAdaptable {
+
+ /*====================================================================
+ * Constants defining which members are wanted:
+ *====================================================================*/
+
+ /**
+ * Member constant (bit mask value 1) indicating that phantom member resources are
+ * to be included.
+ *
+ * @see IResource#isPhantom()
+ * @since 2.0
+ */
+ public static final int INCLUDE_PHANTOMS = 1;
+
+ /**
+ * Member constant (bit mask value 2) indicating that team private members are
+ * to be included.
+ *
+ * @see IResource#isTeamPrivateMember()
+ * @since 2.0
+ */
+ public static final int INCLUDE_TEAM_PRIVATE_MEMBERS = 2;
+
+ /**
+ * Member constant (bit mask value 4) indicating that derived resources
+ * are to be excluded.
+ *
+ * @see IResource#isDerived()
+ * @since 3.1
+ */
+ public static final int EXCLUDE_DERIVED = 4;
+
+ /**
+ * Member constant (bit mask value 8) indicating that hidden resources
+ * are to be included.
+ *
+ * @see IResource#isHidden()
+ * @since 3.4
+ */
+ public static final int INCLUDE_HIDDEN = 8;
+
+ /**
+ * Returns whether a resource of some type with the given path
+ * exists relative to this resource.
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this resource. Trailing separators are ignored.
+ * If the path is empty this container is checked for existence.
+ *
+ * @param path the path of the resource
+ * @return true
if a resource of some type with the given path
+ * exists relative to this resource, and false
otherwise
+ * @see IResource#exists()
+ */
+ public boolean exists(IPath path);
+
+ /**
+ * Finds and returns the member resource (project, folder, or file)
+ * with the given name in this container, or null
if no such
+ * resource exists.
+ *
+ * N.B. Unlike the methods which traffic strictly in resource
+ * handles, this method infers the resulting resource's type from the
+ * resource existing at the calculated path in the workspace.
+ *
+ *
+ * @param name the string name of the member resource
+ * @return the member resource, or null
if no such
+ * resource exists
+ */
+ public IResource findMember(String name);
+
+ /**
+ * Finds and returns the member resource (project, folder, or file)
+ * with the given name in this container, or null
if
+ * there is no such resource.
+ *
+ * If the includePhantoms
argument is false
,
+ * only a member resource with the given name that exists will be returned.
+ * If the includePhantoms
argument is true
,
+ * the method also returns a resource if the workspace is keeping track of a
+ * phantom with that name.
+ *
+ * Note that no attempt is made to exclude team-private member resources
+ * as with members
.
+ *
+ * N.B. Unlike the methods which traffic strictly in resource
+ * handles, this method infers the resulting resource's type from the
+ * existing resource (or phantom) in the workspace.
+ *
+ *
+ * @param name the string name of the member resource
+ * @param includePhantoms true
if phantom resources are
+ * of interest; false
if phantom resources are not of
+ * interest
+ * @return the member resource, or null
if no such
+ * resource exists
+ * @see #members()
+ * @see IResource#isPhantom()
+ */
+ public IResource findMember(String name, boolean includePhantoms);
+
+ /**
+ * Finds and returns the member resource identified by the given path in
+ * this container, or null
if no such resource exists.
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this resource. Trailing separators and the path's
+ * device are ignored. If the path is empty this container is returned. Parent
+ * references in the supplied path are discarded if they go above the workspace
+ * root.
+ *
+ * Note that no attempt is made to exclude team-private member resources
+ * as with members
.
+ *
+ * N.B. Unlike the methods which traffic strictly in resource
+ * handles, this method infers the resulting resource's type from the
+ * resource existing at the calculated path in the workspace.
+ *
+ *
+ * @param path the path of the desired resource
+ * @return the member resource, or null
if no such
+ * resource exists
+ */
+ public IResource findMember(IPath path);
+
+ /**
+ * Finds and returns the member resource identified by the given path in
+ * this container, or null
if there is no such resource.
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this resource. Trailing separators and the path's
+ * device are ignored. If the path is empty this container is returned.
+ * Parent references in the supplied path are discarded if they go above the
+ * workspace root.
+ *
+ * If the includePhantoms
argument is false
,
+ * only a resource that exists at the given path will be returned.
+ * If the includePhantoms
argument is true
,
+ * the method also returns a resource if the workspace is keeping track of
+ * a phantom member resource at the given path.
+ *
+ * Note that no attempt is made to exclude team-private member resources
+ * as with members
.
+ *
+ * N.B. Unlike the methods which traffic strictly in resource
+ * handles, this method infers the resulting resource's type from the
+ * existing resource (or phantom) at the calculated path in the workspace.
+ *
+ *
+ * @param path the path of the desired resource
+ * @param includePhantoms true
if phantom resources are
+ * of interest; false
if phantom resources are not of
+ * interest
+ * @return the member resource, or null
if no such
+ * resource exists
+ * @see #members(boolean)
+ * @see IResource#isPhantom()
+ */
+ public IResource findMember(IPath path, boolean includePhantoms);
+
+ /**
+ * Returns the default charset for resources in this container.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * getDefaultCharset(true);
+ *
+ *
+ * Note that this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ *
+ * @return the name of the default charset encoding for this container
+ * @exception CoreException if this method fails
+ * @see IContainer#getDefaultCharset(boolean)
+ * @see IFile#getCharset()
+ * @since 3.0
+ */
+ public String getDefaultCharset() throws CoreException;
+
+ /**
+ * Returns the default charset for resources in this container.
+ *
+ * If checkImplicit is false
, this method
+ * will return the charset defined by calling #setDefaultCharset, provided this
+ * container exists, or null
otherwise.
+ *
+ * If checkImplicit is true
, this method uses the following
+ * algorithm to determine the charset to be returned:
+ *
+ * the one explicitly set by calling #setDefaultCharset
+ * (with a non-null argument) on this container, if any, and this container
+ * exists, or
+ * the parent's default charset, if this container has a parent (is not the
+ * workspace root), or
+ * the charset returned by ResourcesPlugin#getEncoding.
+ *
+ *
+ * Note that this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ * @return the name of the default charset encoding for this container,
+ * or null
+ * @exception CoreException if this method fails
+ * @see IFile#getCharset()
+ * @since 3.0
+ */
+ public String getDefaultCharset(boolean checkImplicit) throws CoreException;
+
+ /**
+ * Returns a handle to the file identified by the given path in this
+ * container.
+ *
+ * This is a resource handle operation; neither the resource nor
+ * the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this resource and is appended
+ * to this container's full path to form the full path of the resultant resource.
+ * A trailing separator is ignored. The path of the resulting resource must
+ * have at least two segments.
+ *
+ *
+ * @param path the path of the member file
+ * @return the (handle of the) member file
+ * @see #getFolder(IPath)
+ */
+ public IFile getFile(IPath path);
+
+ /**
+ * Returns a handle to the folder identified by the given path in this
+ * container.
+ *
+ * This is a resource handle operation; neither the resource nor
+ * the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this resource and is appended
+ * to this container's full path to form the full path of the resultant resource.
+ * A trailing separator is ignored. The path of the resulting resource must
+ * have at least two segments.
+ *
+ *
+ * @param path the path of the member folder
+ * @return the (handle of the) member folder
+ * @see #getFile(IPath)
+ */
+ public IFolder getFolder(IPath path);
+
+ /**
+ * Returns a list of existing member resources (projects, folders and files)
+ * in this resource, in no particular order.
+ *
+ * This is a convenience method, fully equivalent to members(IResource.NONE)
.
+ * Team-private member resources are not included in the result.
+ *
+ * Note that the members of a project or folder are the files and folders
+ * immediately contained within it. The members of the workspace root
+ * are the projects in the workspace.
+ *
+ *
+ * @return an array of members of this resource
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ *
+ * @see #findMember(IPath)
+ * @see IResource#isAccessible()
+ */
+ public IResource[] members() throws CoreException;
+
+ /**
+ * Returns a list of all member resources (projects, folders and files)
+ * in this resource, in no particular order.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * members(includePhantoms ? INCLUDE_PHANTOMS : IResource.NONE);
+ *
+ * Team-private member resources are not included in the result.
+ *
+ *
+ * @param includePhantoms true
if phantom resources are
+ * of interest; false
if phantom resources are not of
+ * interest
+ * @return an array of members of this resource
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * This resource does not exist.
+ * includePhantoms
is false
and
+ * this resource does not exist.
+ * includePhantoms
is false
and
+ * this resource is a project that is not open.
+ *
+ * @see #members(int)
+ * @see IResource#exists()
+ * @see IResource#isPhantom()
+ */
+ public IResource[] members(boolean includePhantoms) throws CoreException;
+
+ /**
+ * Returns a list of all member resources (projects, folders and files)
+ * in this resource, in no particular order.
+ *
+ * If the INCLUDE_PHANTOMS
flag is not specified in the member
+ * flags (recommended), only member resources that exist will be returned.
+ * If the INCLUDE_PHANTOMS
flag is specified,
+ * the result will also include any phantom member resources the
+ * workspace is keeping track of.
+ *
+ * If the INCLUDE_TEAM_PRIVATE_MEMBERS
flag is specified
+ * in the member flags, team private members will be included along with
+ * the others. If the INCLUDE_TEAM_PRIVATE_MEMBERS
flag
+ * is not specified (recommended), the result will omit any team private
+ * member resources.
+ *
+ * If the {@link #INCLUDE_HIDDEN} flag is specified in the member flags, hidden
+ * members will be included along with the others. If the {@link #INCLUDE_HIDDEN} flag
+ * is not specified (recommended), the result will omit any hidden
+ * member resources.
+ *
+ *
+ * If the EXCLUDE_DERIVED
flag is not specified, derived
+ * resources are included. If the EXCLUDE_DERIVED
flag is
+ * specified in the member flags, derived resources are not included.
+ *
+ *
+ * @param memberFlags bit-wise or of member flag constants
+ * ({@link #INCLUDE_PHANTOMS}, {@link #INCLUDE_TEAM_PRIVATE_MEMBERS},
+ * {@link #INCLUDE_HIDDEN} and {@link #EXCLUDE_DERIVED}) indicating which members are of interest
+ * @return an array of members of this resource
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * This resource does not exist.
+ * the INCLUDE_PHANTOMS
flag is not specified and
+ * this resource does not exist.
+ * the INCLUDE_PHANTOMS
flag is not specified and
+ * this resource is a project that is not open.
+ *
+ * @see IResource#exists()
+ * @since 2.0
+ */
+ public IResource[] members(int memberFlags) throws CoreException;
+
+ /**
+ * Returns a list of recently deleted files inside this container that
+ * have one or more saved states in the local history. The depth parameter
+ * determines how deep inside the container to look. This resource may or
+ * may not exist in the workspace.
+ *
+ * When applied to an existing project resource, this method returns recently
+ * deleted files with saved states in that project. Note that local history is
+ * maintained with each individual project, and gets discarded when a project
+ * is deleted from the workspace. If applied to a deleted project, this method
+ * returns the empty list.
+ *
+ * When applied to the workspace root resource (depth infinity), this method
+ * returns all recently deleted files with saved states in all existing projects.
+ *
+ * When applied to a folder (or project) resource (depth one),
+ * this method returns all recently deleted member files with saved states.
+ *
+ * When applied to a folder resource (depth zero),
+ * this method returns an empty list unless there was a recently deleted file
+ * with saved states at the same path as the folder.
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param depth depth limit: one of DEPTH_ZERO
, DEPTH_ONE
+ * or DEPTH_INFINITE
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ * @return an array of recently deleted files
+ * @exception CoreException if this method fails
+ * @see IFile#getHistory(IProgressMonitor)
+ * @since 2.0
+ */
+ public IFile[] findDeletedMembersWithHistory(int depth, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the default charset for this container. Passing a value of null
+ * will remove the default charset setting for this resource.
+ *
+ * @param charset a charset string, or null
+ * @exception CoreException if this method fails Reasons include:
+ *
+ * This resource does not exist.
+ * An error happened while persisting this setting.
+ *
+ * @see IContainer#getDefaultCharset()
+ * @since 3.0
+ * @deprecated Replaced by {@link #setDefaultCharset(String, IProgressMonitor)} which
+ * is a workspace operation and reports changes in resource deltas.
+ */
+ public void setDefaultCharset(String charset) throws CoreException;
+
+ /**
+ * Sets the default charset for this container. Passing a value of null
+ * will remove the default charset setting for this resource.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the encoding of affected resources has been changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param charset a charset string, or null
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @exception CoreException if this method fails Reasons include:
+ *
+ * This resource is not accessible.
+ * An error happened while persisting this setting.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See {@link IResourceChangeEvent} for more details.
+ *
+ * @see IContainer#getDefaultCharset()
+ * @see IResourceRuleFactory#charsetRule(IResource)
+ * @since 3.0
+ */
+ public void setDefaultCharset(String charset, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IEncodedStorage.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IEncodedStorage.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,44 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * A storage that knows how its contents are encoded.
+ *
+ * The IEncodedStorage
interface extends IStorage
+ * in order to provide access to the charset to be used when decoding its
+ * contents.
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @since 3.0
+ */
+public interface IEncodedStorage extends IStorage {
+ /**
+ * Returns the name of a charset encoding to be used when decoding this
+ * storage's contents into characters. Returns null
if a proper
+ * encoding cannot be determined.
+ *
+ * Note that this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ *
+ * @return the name of a charset, or null
+ * @exception CoreException if an error happens while determining
+ * the charset. See any refinements for more information.
+ * @see IStorage#getContents()
+ */
+ public String getCharset() throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFile.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFile.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,1112 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.io.InputStream;
+import java.io.Reader;
+import java.net.URI;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.content.IContentDescription;
+import org.eclipse.core.runtime.content.IContentTypeManager;
+
+/**
+ * Files are leaf resources which contain data.
+ * The contents of a file resource is stored as a file in the local
+ * file system.
+ *
+ * Files, like folders, may exist in the workspace but
+ * not be local; non-local file resources serve as place-holders for
+ * files whose content and properties have not yet been fetched from
+ * a repository.
+ *
+ *
+ * Files implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IFile extends IResource, IEncodedStorage, IAdaptable {
+ /**
+ * Character encoding constant (value 0) which identifies
+ * files that have an unknown character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_UNKNOWN = 0;
+ /**
+ * Character encoding constant (value 1) which identifies
+ * files that are encoded with the US-ASCII character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_US_ASCII = 1;
+ /**
+ * Character encoding constant (value 2) which identifies
+ * files that are encoded with the ISO-8859-1 character encoding scheme,
+ * also known as ISO-LATIN-1.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_ISO_8859_1 = 2;
+ /**
+ * Character encoding constant (value 3) which identifies
+ * files that are encoded with the UTF-8 character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_UTF_8 = 3;
+ /**
+ * Character encoding constant (value 4) which identifies
+ * files that are encoded with the UTF-16BE character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_UTF_16BE = 4;
+ /**
+ * Character encoding constant (value 5) which identifies
+ * files that are encoded with the UTF-16LE character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_UTF_16LE = 5;
+ /**
+ * Character encoding constant (value 6) which identifies
+ * files that are encoded with the UTF-16 character encoding scheme.
+ *
+ * @see IFile#getEncoding()
+ * @deprecated see getEncoding for details
+ */
+ public int ENCODING_UTF_16 = 6;
+
+ /**
+ * Appends the entire contents of the given stream to this file.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * appendContents(source, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's content have been changed.
+ *
+ *
+ * This method is long-running; progress and cancelation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the new contents of the file
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @param keepHistory a flag indicating whether or not to store
+ * the current contents in the local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #appendContents(java.io.InputStream,int,IProgressMonitor)
+ */
+ public void appendContents(InputStream source, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Appends the entire contents of the given stream to this file.
+ * The stream, which must not be null
, will get closed
+ * whether this method succeeds or fails.
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to overwrite a corresponding file in the local file system provided
+ * it is in sync with the workspace. This option ensures there is no
+ * unintended data loss; it is the recommended setting.
+ * However, if FORCE
is specified, an attempt will be made
+ * to write a corresponding file in the local file system, overwriting any
+ * existing one if need be. In either case, if this method succeeds, the
+ * resource will be marked as being local (even if it wasn't before).
+ *
+ *
+ * If this file is non-local then this method will always fail. The only exception
+ * is when FORCE
is specified and the file exists in the local
+ * file system. In this case the file is made local and the given contents are appended.
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not a copy of
+ * current contents of this file should be captured in the workspace's local
+ * history (properties are not recorded in the local history). The local history
+ * mechanism serves as a safety net to help the user recover from mistakes that
+ * might otherwise result in data loss. Specifying KEEP_HISTORY
+ * is recommended except in circumstances where past states of the files are of
+ * no conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. This flag is ignored if the file was not previously local.
+ *
+ *
+ * Update flags other than FORCE
and KEEP_HISTORY
+ * are ignored.
+ *
+ *
+ * Prior to modifying the contents of this file, the file modification validator (if provided
+ * by the VCM plug-in), will be given a chance to perform any last minute preparations. Validation
+ * is performed by calling IFileModificationValidator.validateSave
on this file.
+ * If the validation fails, then this operation will fail.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's content have been changed.
+ *
+ *
+ * This method is long-running; progress and cancelation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the new contents of the file
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
and KEEP_HISTORY
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @since 2.0
+ */
+ public void appendContents(InputStream source, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new file resource as a member of this handle's parent resource.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * create(source, (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the file has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the initial contents of the file,
+ * or null
if the file should be marked as not local
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The parent of this resource does not exist.
+ * The project of this resource is not accessible.
+ * The parent contains a resource of a different type
+ * at the same path as this resource.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system is occupied
+ * by a directory.
+ * The corresponding location in the local file system is occupied
+ * by a file and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ */
+ public void create(InputStream source, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new file resource as a member of this handle's parent resource.
+ * The resource's contents are supplied by the data in the given stream.
+ * This method closes the stream whether it succeeds or fails.
+ * If the stream is null
then a file is not created in the local
+ * file system and the created file resource is marked as being non-local.
+ *
+ * The {@link IResource#FORCE} update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If {@link IResource#FORCE} is not specified, the method will only attempt
+ * to write a file in the local file system if it does not already exist.
+ * This option ensures there is no unintended data loss; it is the recommended
+ * setting. However, if {@link IResource#FORCE} is specified, this method will
+ * attempt to write a corresponding file in the local file system,
+ * overwriting any existing one if need be.
+ *
+ *
+ * The {@link IResource#DERIVED} update flag indicates that this resource
+ * should immediately be set as a derived resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setDerived(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link IResource#TEAM_PRIVATE} update flag indicates that this resource
+ * should immediately be set as a team private resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setTeamPrivateMember(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the file has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the initial contents of the file,
+ * or null
if the file should be marked as not local
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link IResource#FORCE}, {@link IResource#DERIVED}, and {@link IResource#TEAM_PRIVATE})
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The parent of this resource does not exist.
+ * The project of this resource is not accessible.
+ * The parent contains a resource of a different type
+ * at the same path as this resource.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system is occupied
+ * by a directory.
+ * The corresponding location in the local file system is occupied
+ * by a file and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#createRule(IResource)
+ * @since 2.0
+ */
+ public void create(InputStream source, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new file resource as a member of this handle's parent resource.
+ * The file's contents will be located in the file specified by the given
+ * file system path. The given path must be either an absolute file system
+ * path, or a relative path whose first segment is the name of a workspace path
+ * variable.
+ *
+ * The {@link IResource#ALLOW_MISSING_LOCAL} update flag controls how this
+ * method deals with cases where the local file system file to be linked does
+ * not exist, or is relative to a workspace path variable that is not defined.
+ * If {@link IResource#ALLOW_MISSING_LOCAL} is specified, the operation will succeed
+ * even if the local file is missing, or the path is relative to an undefined
+ * variable. If {@link IResource#ALLOW_MISSING_LOCAL} is not specified, the operation
+ * will fail in the case where the local file system file does not exist or the
+ * path is relative to an undefined variable.
+ *
+ *
+ * The {@link IResource#REPLACE} update flag controls how this
+ * method deals with cases where a resource of the same name as the
+ * prospective link already exists. If {@link IResource#REPLACE}
+ * is specified, then any existing resource with the same name is removed
+ * from the workspace to make way for creation of the link. This does not
+ * cause the underlying file system contents of that resource to be deleted.
+ * If {@link IResource#REPLACE} is not specified, this method will
+ * fail if an existing resource exists of the same name.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method synchronizes this resource with the local file system at the given
+ * location.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the file has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param localLocation a file system path where the file should be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link IResource#ALLOW_MISSING_LOCAL} and {@link IResource#REPLACE})
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is not an open project
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system does not exist, or
+ * is relative to an undefined variable, and ALLOW_MISSING_LOCAL
is
+ * not specified.
+ * The corresponding location in the local file system is occupied
+ * by a directory (as opposed to a file).
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The team provider for the project which contains this folder does not permit
+ * linked resources.
+ * This folder's project contains a nature which does not permit linked resources.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#isLinked()
+ * @see IResource#ALLOW_MISSING_LOCAL
+ * @since 2.1
+ */
+ public void createLink(IPath localLocation, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new file resource as a member of this handle's parent resource.
+ * The file's contents will be located in the file specified by the given
+ * URI. The given URI must be either absolute, or a relative URI whose first path
+ * segment is the name of a workspace path variable.
+ *
+ * The ALLOW_MISSING_LOCAL
update flag controls how this
+ * method deals with cases where the file system file to be linked does
+ * not exist, or is relative to a workspace path variable that is not defined.
+ * If ALLOW_MISSING_LOCAL
is specified, the operation will succeed
+ * even if the local file is missing, or the path is relative to an undefined
+ * variable. If ALLOW_MISSING_LOCAL
is not specified, the operation
+ * will fail in the case where the file system file does not exist or the
+ * path is relative to an undefined variable.
+ *
+ *
+ * The {@link IResource#REPLACE} update flag controls how this
+ * method deals with cases where a resource of the same name as the
+ * prospective link already exists. If {@link IResource#REPLACE}
+ * is specified, then any existing resource with the same name is removed
+ * from the workspace to make way for creation of the link. This does not
+ * cause the underlying file system contents of that resource to be deleted.
+ * If {@link IResource#REPLACE} is not specified, this method will
+ * fail if an existing resource exists of the same name.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method synchronizes this resource with the file system at the given
+ * location.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the file has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param location a file system URI where the file should be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link IResource#ALLOW_MISSING_LOCAL} and {@link IResource#REPLACE})
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is not an open project
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the file system does not exist, or
+ * is relative to an undefined variable, and ALLOW_MISSING_LOCAL
is
+ * not specified.
+ * The corresponding location in the file system is occupied
+ * by a directory (as opposed to a file).
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The team provider for the project which contains this folder does not permit
+ * linked resources.
+ * This folder's project contains a nature which does not permit linked resources.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#isLinked()
+ * @see IResource#ALLOW_MISSING_LOCAL
+ * @since 3.2
+ */
+ public void createLink(URI location, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes this file from the workspace.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * delete((keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this folder has been removed from its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param keepHistory a flag controlling whether files under this folder
+ * should be stored in the workspace's local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be deleted for some reason.
+ * This resource is out of sync with the local file system
+ * and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ * @see IResourceRuleFactory#deleteRule(IResource)
+ */
+ public void delete(boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns the name of a charset to be used when decoding the contents of this
+ * file into characters.
+ *
+ * This refinement of the corresponding {@link IEncodedStorage} method
+ * is a convenience method, fully equivalent to:
+ *
+ * getCharset(true);
+ *
+ *
+ * Note 1 : this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ *
+ * Note 2 : this method returns a cached value for the encoding
+ * that may be out of date if the file is not synchronized with the local file system
+ * and the encoding has since changed in the file system.
+ *
+ *
+ * @return the name of a charset
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be read.
+ * This resource is not local.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ *
+ * @see IFile#getCharset(boolean)
+ * @see IEncodedStorage#getCharset()
+ * @see IContainer#getDefaultCharset()
+ * @since 3.0
+ */
+ public String getCharset() throws CoreException;
+
+ /**
+ * Returns the name of a charset to be used when decoding the contents of this
+ * file into characters.
+ *
+ * If checkImplicit is false
, this method will return the
+ * charset defined by calling setCharset
, provided this file
+ * exists, or null
otherwise.
+ *
+ * If checkImplicit is true
, this method uses the following
+ * algorithm to determine the charset to be returned:
+ *
+ * the charset defined by calling #setCharset, if any, and this file
+ * exists, or
+ * the charset automatically discovered based on this file's contents,
+ * if one can be determined, or
+ * the default encoding for this file's parent (as defined by
+ * IContainer#getDefaultCharset
).
+ *
+ *
+ * Note 1 : this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ *
+ * Note 2 : this method returns a cached value for the encoding
+ * that may be out of date if the file is not synchronized with the local file system
+ * and the encoding has since changed in the file system.
+ *
+ *
+ * @return the name of a charset, or null
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be read.
+ * This resource is not local.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ *
+ * @see IEncodedStorage#getCharset()
+ * @see IContainer#getDefaultCharset()
+ * @since 3.0
+ */
+ public String getCharset(boolean checkImplicit) throws CoreException;
+
+ /**
+ * Returns the name of a charset to be used to encode the given contents
+ * when saving to this file. This file does not have to exist. The character stream is not automatically closed.
+ *
+ * This method uses the following algorithm to determine the charset to be returned:
+ *
+ * if this file exists, the charset returned by IFile#getCharset(false), if one is defined, or
+ * the charset automatically discovered based on the file name and the given contents,
+ * if one can be determined, or
+ * the default encoding for the parent resource (as defined by
+ * IContainer#getDefaultCharset
).
+ *
+ *
+ * Note : this method does not check whether the result is a supported
+ * charset name. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this charset is used.
+ *
+ *
+ * @param reader a character stream containing the contents to be saved into this file
+ * @return the name of a charset
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * The given character stream could not be read.
+ *
+ * @see #getCharset(boolean)
+ * @see IContainer#getDefaultCharset()
+ * @since 3.1
+ */
+ public String getCharsetFor(Reader reader) throws CoreException;
+
+ /**
+ * Returns a description for this file's current contents. Returns
+ * null
if a description cannot be obtained.
+ *
+ * Calling this method produces a similar effect as calling
+ * getDescriptionFor(getContents(), getName(), IContentDescription.ALL)
+ * on IContentTypeManager
, but provides better
+ * opportunities for improved performance. Therefore, when manipulating
+ * IFile
s, clients should call this method instead of
+ * IContentTypeManager.getDescriptionFor
.
+ *
+ *
+ * @return a description for this file's current contents, or
+ * null
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource could not be read.
+ * This resource is not local.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ *
+ * @see IContentDescription
+ * @see IContentTypeManager#getDescriptionFor(InputStream, String, QualifiedName[])
+ * @since 3.0
+ */
+ public IContentDescription getContentDescription() throws CoreException;
+
+ /**
+ * Returns an open input stream on the contents of this file.
+ * This refinement of the corresponding IStorage
method
+ * returns an open input stream on the contents of this file.
+ * The client is responsible for closing the stream when finished.
+ *
+ * @return an input stream containing the contents of the file
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system.
+ *
+ */
+ public InputStream getContents() throws CoreException;
+
+ /**
+ * This refinement of the corresponding IStorage
method
+ * returns an open input stream on the contents of this file.
+ * The client is responsible for closing the stream when finished.
+ * If force is true
the file is opened and an input
+ * stream returned regardless of the sync state of the file. The file
+ * is not synchronized with the workspace.
+ * If force is false
the method fails if not in sync.
+ *
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @return an input stream containing the contents of the file
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and force is false
.
+ *
+ */
+ public InputStream getContents(boolean force) throws CoreException;
+
+ /**
+ * Returns a constant identifying the character encoding of this file, or
+ * ENCODING_UNKNOWN if it could not be determined. The returned constant
+ * will be one of the ENCODING_* constants defined on IFile.
+ *
+ * This method attempts to guess the file's character encoding by analyzing
+ * the first few bytes of the file. If no identifying pattern is found at the
+ * beginning of the file, ENC_UNKNOWN will be returned. This method will
+ * not attempt any complex analysis of the file to make a guess at the
+ * encoding that is used.
+ *
+ * @return The character encoding of this file
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource could not be read.
+ * This resource is not local.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ *
+ * @deprecated use IFile#getCharset instead
+ */
+ public int getEncoding() throws CoreException;
+
+ /**
+ * Returns the full path of this file.
+ * This refinement of the corresponding IStorage
and IResource
+ * methods links the semantics of resource and storage object paths such that
+ * IFile
s always have a path and that path is relative to the
+ * containing workspace.
+ *
+ * @see IResource#getFullPath()
+ * @see IStorage#getFullPath()
+ */
+ public IPath getFullPath();
+
+ /**
+ * Returns a list of past states of this file known to this workspace.
+ * Recently added states first.
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return an array of states of this file
+ * @exception CoreException if this method fails.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ */
+ public IFileState[] getHistory(IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns the name of this file.
+ * This refinement of the corresponding IStorage
and IResource
+ * methods links the semantics of resource and storage object names such that
+ * IFile
s always have a name and that name equivalent to the
+ * last segment of its full path.
+ *
+ * @see IResource#getName()
+ * @see IStorage#getName()
+ */
+ public String getName();
+
+ /**
+ * Returns whether this file is read-only.
+ * This refinement of the corresponding IStorage
and IResource
+ * methods links the semantics of read-only resources and read-only storage objects.
+ *
+ * @see IResource#isReadOnly()
+ * @see IStorage#isReadOnly()
+ */
+ public boolean isReadOnly();
+
+ /**
+ * Moves this resource to be at the given location.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * move(destination, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file has been removed from its parent and a new file
+ * has been added to the parent of the destination.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param keepHistory a flag controlling whether files under this folder
+ * should be stored in the workspace's local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed
+ * project.
+ * A resource at destination path does exist.
+ * A resource of a different type exists at the destination path.
+ * This resource is out of sync with the local file system
+ * and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IResource#move(IPath,int,IProgressMonitor)
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ */
+ public void move(IPath destination, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the charset for this file. Passing a value of null
+ * will remove the charset setting for this resource.
+ *
+ * @param newCharset a charset name, or null
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * An error happened while persisting this setting.
+ *
+ * @see #getCharset()
+ * @since 3.0
+ * @deprecated Replaced by {@link #setCharset(String, IProgressMonitor)} which
+ * is a workspace operation and reports changes in resource deltas.
+ */
+ public void setCharset(String newCharset) throws CoreException;
+
+ /**
+ * Sets the charset for this file. Passing a value of null
+ * will remove the charset setting for this resource.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's encoding has changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param newCharset a charset name, or null
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * An error happened while persisting this setting.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See {@link IResourceChangeEvent} for more details.
+ *
+ * @see #getCharset()
+ * @see IResourceRuleFactory#charsetRule(IResource)
+ * @since 3.0
+ */
+ public void setCharset(String newCharset, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the contents of this file to the bytes in the given input stream.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * setContents(source, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's contents have been changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the new contents of the file
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @param keepHistory a flag indicating whether or not store
+ * the current contents in the local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #setContents(java.io.InputStream,int,IProgressMonitor)
+ */
+ public void setContents(InputStream source, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the contents of this file to the bytes in the given file state.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * setContents(source, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's content have been changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source a previous state of this resource
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @param keepHistory a flag indicating whether or not store
+ * the current contents in the local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The state does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #setContents(IFileState,int,IProgressMonitor)
+ */
+ public void setContents(IFileState source, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the contents of this file to the bytes in the given input stream.
+ * The stream will get closed whether this method succeeds or fails.
+ * If the stream is null
then the content is set to be the
+ * empty sequence of bytes.
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to overwrite a corresponding file in the local file system provided
+ * it is in sync with the workspace. This option ensures there is no
+ * unintended data loss; it is the recommended setting.
+ * However, if FORCE
is specified, an attempt will be made
+ * to write a corresponding file in the local file system, overwriting any
+ * existing one if need be. In either case, if this method succeeds, the
+ * resource will be marked as being local (even if it wasn't before).
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not a copy of
+ * current contents of this file should be captured in the workspace's local
+ * history (properties are not recorded in the local history). The local history
+ * mechanism serves as a safety net to help the user recover from mistakes that
+ * might otherwise result in data loss. Specifying KEEP_HISTORY
+ * is recommended except in circumstances where past states of the files are of
+ * no conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. This flag is ignored if the file was not previously local.
+ *
+ *
+ * Update flags other than FORCE
and KEEP_HISTORY
+ * are ignored.
+ *
+ *
+ * Prior to modifying the contents of this file, the file modification validator (if provided
+ * by the VCM plug-in), will be given a chance to perform any last minute preparations. Validation
+ * is performed by calling IFileModificationValidator.validateSave
on this file.
+ * If the validation fails, then this operation will fail.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's content have been changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source an input stream containing the new contents of the file
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
and KEEP_HISTORY
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @since 2.0
+ */
+ public void setContents(InputStream source, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the contents of this file to the bytes in the given file state.
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to overwrite a corresponding file in the local file system provided
+ * it is in sync with the workspace. This option ensures there is no
+ * unintended data loss; it is the recommended setting.
+ * However, if FORCE
is specified, an attempt will be made
+ * to write a corresponding file in the local file system, overwriting any
+ * existing one if need be. In either case, if this method succeeds, the
+ * resource will be marked as being local (even if it wasn't before).
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not a copy of
+ * current contents of this file should be captured in the workspace's local
+ * history (properties are not recorded in the local history). The local history
+ * mechanism serves as a safety net to help the user recover from mistakes that
+ * might otherwise result in data loss. Specifying KEEP_HISTORY
+ * is recommended except in circumstances where past states of the files are of
+ * no conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. This flag is ignored if the file was not previously local.
+ *
+ *
+ * Update flags other than FORCE
and KEEP_HISTORY
+ * are ignored.
+ *
+ *
+ * Prior to modifying the contents of this file, the file modification validator (if provided
+ * by the VCM plug-in), will be given a chance to perform any last minute preparations. Validation
+ * is performed by calling IFileModificationValidator.validateSave
on this file.
+ * If the validation fails, then this operation will fail.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this file's content have been changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param source a previous state of this resource
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
and KEEP_HISTORY
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The state does not exist.
+ * The corresponding location in the local file system
+ * is occupied by a directory.
+ * The workspace is not in sync with the corresponding location
+ * in the local file system and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @since 2.0
+ */
+ public void setContents(IFileState source, int updateFlags, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFileModificationValidator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFileModificationValidator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,67 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.resources.team.FileModificationValidator;
+import org.eclipse.core.runtime.IStatus;
+
+/**
+ * The file modification validator is a Team-related hook for pre-checking operations
+ * that modify the contents of files.
+ *
+ * This interface is used only in conjunction with the
+ * "org.eclipse.core.resources.fileModificationValidator"
+ * extension point. It is intended to be implemented only
+ * by the Eclipse Platform Team plug-in.
+ *
+ *
+ * @since 2.0
+ * @deprecated clients should subclass {@link FileModificationValidator} instead
+ * of implementing this interface
+ */
+public interface IFileModificationValidator {
+ /**
+ * Validates that the given files can be modified. The files must all exist
+ * in the workspace. The optional context object may be supplied if
+ * UI-based validation is required. If the context is null
, the
+ * validator must attempt to perform the validation in a headless manner.
+ * The returned status is IStatus.OK
if this validator
+ * believes the given file can be modified. Other return statuses indicate
+ * the reason why the individual files cannot be modified.
+ *
+ * @param files the files that are to be modified; these files must all exist in the workspace
+ * @param context the org.eclipse.swt.widgets.Shell
that is to be used to
+ * parent any dialogs with the user, or null
if there is no UI context (declared
+ * as an Object
to avoid any direct references on the SWT component)
+ * @return a status object that is OK if things are fine, otherwise a status describing
+ * reasons why modifying the given files is not reasonable
+ * @see IWorkspace#validateEdit(IFile[], Object)
+ */
+ public IStatus validateEdit(IFile[] files, Object context);
+
+ /**
+ * Validates that the given file can be saved. This method is called from
+ * IFile#setContents
and IFile#appendContents
+ * before any attempt to write data to disk. The returned status is
+ * IStatus.OK
if this validator believes the given file can be
+ * successfully saved. In all other cases the return value is a non-OK status.
+ * Note that a return value of IStatus.OK
does not guarantee
+ * that the save will succeed.
+ *
+ * @param file the file that is to be modified; this file must exist in the workspace
+ * @return a status indicating whether or not it is reasonable to try writing to the given file;
+ * IStatus.OK
indicates a save should be attempted.
+ *
+ * @see IFile#setContents(java.io.InputStream, int, org.eclipse.core.runtime.IProgressMonitor)
+ * @see IFile#appendContents(java.io.InputStream, int, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public IStatus validateSave(IFile file);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFileState.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFileState.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,117 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.io.InputStream;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A previous state of a file stored in the workspace's local history.
+ *
+ * Certain methods for updating, deleting, or moving a file cause the
+ * "before" contents of the file to be copied to an internal area of the
+ * workspace called the local history area thus providing
+ * a limited history of earlier states of a file.
+ *
+ *
+ * Moving or copying a file will cause a copy of its local history to appear
+ * at the new location as well as at the original location. Subsequent
+ * changes to either file will only affect the local history of the file
+ * changed. Deleting a file and creating another one at the
+ * same path does not affect the history. If the original file had
+ * history, that same history will be available for the new one.
+ *
+ *
+ * The local history does not track resource properties.
+ * File states are volatile; the platform does not guarantee that a
+ * certain state will always be in the local history.
+ *
+ *
+ * File state objects implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see IFile
+ * @see IStorage
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IFileState extends IEncodedStorage, IAdaptable {
+ /**
+ * Returns whether this file state still exists in the local history.
+ *
+ * @return true
if this state exists, and false
+ * if it does not
+ */
+ public boolean exists();
+
+ /**
+ * Returns an open input stream on the contents of this file state.
+ * This refinement of the corresponding
+ * IStorage
method returns an open input stream
+ * on the contents this file state represents.
+ * The client is responsible for closing the stream when finished.
+ *
+ * @return an input stream containing the contents of the file
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This state does not exist.
+ *
+ */
+ public InputStream getContents() throws CoreException;
+
+ /**
+ * Returns the full path of this file state.
+ * This refinement of the corresponding IStorage
+ * method specifies that IFileState
s always have a
+ * path and that path is the full workspace path of the file represented by this state.
+ *
+ * @see IResource#getFullPath()
+ * @see IStorage#getFullPath()
+ */
+ public IPath getFullPath();
+
+ /**
+ * Returns the modification time of the file. If you create a file at
+ * 9:00 and modify it at 11:00, the file state added to the history
+ * at 11:00 will have 9:00 as its modification time.
+ *
+ * Note that is used only to give the user a general idea of how
+ * old this file state is.
+ *
+ * @return the time of last modification, in milliseconds since
+ * January 1, 1970, 00:00:00 GMT.
+ */
+ public long getModificationTime();
+
+ /**
+ * Returns the name of this file state.
+ * This refinement of the corresponding IStorage
+ * method specifies that IFileState
s always have a
+ * name and that name is equivalent to the last segment of the full path
+ * of the resource represented by this state.
+ *
+ * @see IResource#getName()
+ * @see IStorage#getName()
+ */
+ public String getName();
+
+ /**
+ * Returns whether this file state is read-only.
+ * This refinement of the corresponding
+ * IStorage
method restricts IFileState
s to
+ * always be read-only.
+ *
+ * @see IStorage
+ */
+ public boolean isReadOnly();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFolder.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IFolder.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,451 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.net.URI;
+import org.eclipse.core.runtime.*;
+
+/**
+ * Folders may be leaf or non-leaf resources and may contain files and/or other folders.
+ * A folder resource is stored as a directory in the local file system.
+ *
+ * Folders, like other resource types, may exist in the workspace but
+ * not be local; non-local folder resources serve as place-holders for
+ * folders whose properties have not yet been fetched from a repository.
+ *
+ *
+ * Folders implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IFolder extends IContainer, IAdaptable {
+
+ /**
+ * Creates a new folder resource as a member of this handle's parent resource.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * create((force ? FORCE : IResource.NONE), local, monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the folder has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param force a flag controlling how to deal with resources that
+ * are not in sync with the local file system
+ * @param local a flag controlling whether or not the folder will be local
+ * after the creation
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is a project that is not open.
+ * The parent contains a resource of a different type
+ * at the same path as this resource.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system is occupied
+ * by a file (as opposed to a directory).
+ * The corresponding location in the local file system is occupied
+ * by a folder and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IFolder#create(int,boolean,IProgressMonitor)
+ */
+ public void create(boolean force, boolean local, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new folder resource as a member of this handle's parent resource.
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to create a directory in the local file system if there isn't one already.
+ * This option ensures there is no unintended data loss; it is the recommended
+ * setting. However, if FORCE
is specified, this method will
+ * be deemed a success even if there already is a corresponding directory.
+ *
+ *
+ * The {@link IResource#DERIVED} update flag indicates that this resource
+ * should immediately be set as a derived resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setDerived(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link IResource#TEAM_PRIVATE} update flag indicates that this resource
+ * should immediately be set as a team private resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setTeamPrivateMember(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method synchronizes this resource with the local file system.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the folder has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link IResource#FORCE}, {@link IResource#DERIVED}, and {@link IResource#TEAM_PRIVATE})
+ * @param local a flag controlling whether or not the folder will be local
+ * after the creation
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is a project that is not open.
+ * The parent contains a resource of a different type
+ * at the same path as this resource.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system is occupied
+ * by a file (as opposed to a directory).
+ * The corresponding location in the local file system is occupied
+ * by a folder and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#createRule(IResource)
+ * @since 2.0
+ */
+ public void create(int updateFlags, boolean local, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new folder resource as a member of this handle's parent resource.
+ * The folder's contents will be located in the directory specified by the given
+ * file system path. The given path must be either an absolute file system
+ * path, or a relative path whose first segment is the name of a workspace path
+ * variable.
+ *
+ * The ALLOW_MISSING_LOCAL
update flag controls how this
+ * method deals with cases where the local file system directory to be linked does
+ * not exist, or is relative to a workspace path variable that is not defined.
+ * If ALLOW_MISSING_LOCAL
is specified, the operation will succeed
+ * even if the local directory is missing, or the path is relative to an
+ * undefined variable. If ALLOW_MISSING_LOCAL
is not specified, the
+ * operation will fail in the case where the local file system directory does
+ * not exist or the path is relative to an undefined variable.
+ *
+ *
+ * The {@link IResource#REPLACE} update flag controls how this
+ * method deals with cases where a resource of the same name as the
+ * prospective link already exists. If {@link IResource#REPLACE}
+ * is specified, then any existing resource with the same name is removed
+ * from the workspace to make way for creation of the link. This does not
+ * cause the underlying file system contents of that resource to be deleted.
+ * If {@link IResource#REPLACE} is not specified, this method will
+ * fail if an existing resource exists of the same name.
+ *
+ *
+ * The {@link IResource#BACKGROUND_REFRESH} update flag controls how
+ * this method synchronizes the new resource with the filesystem. If this flag is
+ * specified, resources on disk will be synchronized in the background after the
+ * method returns. Child resources of the link may not be available until
+ * this background refresh completes. If this flag is not specified, resources are
+ * synchronized in the foreground before this method returns.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the folder has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param localLocation a file system path where the folder should be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is not an open project
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system does not exist, or
+ * is relative to an undefined variable, and ALLOW_MISSING_LOCAL
is
+ * not specified.
+ * The corresponding location in the local file system is occupied
+ * by a file (as opposed to a directory).
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The team provider for the project which contains this folder does not permit
+ * linked resources.
+ * This folder's project contains a nature which does not permit linked resources.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#isLinked()
+ * @see IResource#ALLOW_MISSING_LOCAL
+ * @since 2.1
+ */
+ public void createLink(IPath localLocation, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new folder resource as a member of this handle's parent resource.
+ * The folder's contents will be located in the directory specified by the given
+ * file system URI. The given URI must be either absolute, or a relative URI
+ * whose first path segment is the name of a workspace path variable.
+ *
+ * The ALLOW_MISSING_LOCAL
update flag controls how this
+ * method deals with cases where the local file system directory to be linked does
+ * not exist, or is relative to a workspace path variable that is not defined.
+ * If ALLOW_MISSING_LOCAL
is specified, the operation will succeed
+ * even if the local directory is missing, or the path is relative to an
+ * undefined variable. If ALLOW_MISSING_LOCAL
is not specified, the
+ * operation will fail in the case where the local file system directory does
+ * not exist or the path is relative to an undefined variable.
+ *
+ *
+ * The {@link IResource#REPLACE} update flag controls how this
+ * method deals with cases where a resource of the same name as the
+ * prospective link already exists. If {@link IResource#REPLACE}
+ * is specified, then any existing resource with the same name is removed
+ * from the workspace to make way for creation of the link. This does not
+ * cause the underlying file system contents of that resource to be deleted.
+ * If {@link IResource#REPLACE} is not specified, this method will
+ * fail if an existing resource exists of the same name.
+ *
+ *
+ * The {@link IResource#BACKGROUND_REFRESH} update flag controls how
+ * this method synchronizes the new resource with the filesystem. If this flag is
+ * specified, resources on disk will be synchronized in the background after the
+ * method returns. Child resources of the link may not be available until
+ * this background refresh completes. If this flag is not specified, resources are
+ * synchronized in the foreground before this method returns.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the folder has been added to its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param location a file system path where the folder should be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource already exists in the workspace.
+ * The workspace contains a resource of a different type
+ * at the same path as this resource.
+ * The parent of this resource does not exist.
+ * The parent of this resource is not an open project
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The corresponding location in the local file system does not exist, or
+ * is relative to an undefined variable, and ALLOW_MISSING_LOCAL
is
+ * not specified.
+ * The corresponding location in the local file system is occupied
+ * by a file (as opposed to a directory).
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The team provider for the project which contains this folder does not permit
+ * linked resources.
+ * This folder's project contains a nature which does not permit linked resources.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#isLinked()
+ * @see IResource#ALLOW_MISSING_LOCAL
+ * @since 3.2
+ */
+ public void createLink(URI location, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes this resource from the workspace.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * delete((keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this folder has been removed from its parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param keepHistory a flag controlling whether files under this folder
+ * should be stored in the workspace's local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be deleted for some reason.
+ * This resource is out of sync with the local file system
+ * and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IResourceRuleFactory#deleteRule(IResource)
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public void delete(boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns a handle to the file with the given name in this folder.
+ *
+ * This is a resource handle operation; neither the resource nor
+ * the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ *
+ * @param name the string name of the member file
+ * @return the (handle of the) member file
+ * @see #getFolder(String)
+ */
+ public IFile getFile(String name);
+
+ /**
+ * Returns a handle to the folder with the given name in this folder.
+ *
+ * This is a resource handle operation; neither the container
+ * nor the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ *
+ * @param name the string name of the member folder
+ * @return the (handle of the) member folder
+ * @see #getFile(String)
+ */
+ public IFolder getFolder(String name);
+
+ /**
+ * Moves this resource so that it is located at the given path.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * move(destination, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this folder has been removed from its parent and a new folder
+ * has been added to the parent of the destination.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param keepHistory a flag controlling whether files under this folder
+ * should be stored in the workspace's local history
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed
+ * project.
+ * A resource at destination path does exist.
+ * A resource of a different type exists at the destination path.
+ * This resource or one of its descendents is out of sync with the local file system
+ * and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ * @see IResource#move(IPath,int,IProgressMonitor)
+ */
+ public void move(IPath destination, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IMarker.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IMarker.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,574 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.Map;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IAdaptable;
+
+/**
+ * Markers are a general mechanism for associating notes and meta-data with
+ * resources.
+ *
+ * Markers themselves are handles in the same way as IResources
+ * are handles. Instances of IMarker
do not hold the attributes
+ * themselves but rather uniquely refer to the attribute container. As such,
+ * their state may change underneath the handle with no warning to the holder
+ * of the handle.
+ *
+ * The Resources plug-in provides a general framework for
+ * defining and manipulating markers and provides several standard marker types.
+ *
+ *
+ * Each marker has:
+ * a type string, specifying its type (e.g.
+ * "org.eclipse.core.resources.taskmarker"
),
+ * an identifier which is unique (relative to a particular resource)
+ *
+ * Specific types of markers may carry additional information.
+ *
+ *
+ * The resources plug-in defines five standard types:
+ *
+ * org.eclipse.core.resources.marker
+ * org.eclipse.core.resources.taskmarker
+ * org.eclipse.core.resources.problemmarker
+ * org.eclipse.core.resources.bookmark
+ * org.eclipse.core.resources.textmarker
+ *
+ * The plug-in also provides an extension point (
+ * org.eclipse.core.resources.markers
) into which other
+ * plug-ins can install marker type declaration extensions.
+ *
+ *
+ * Marker types are declared within a multiple inheritance type system.
+ * New markers are defined in the plugin.xml
file of the
+ * declaring plug-in. A valid declaration contains elements as defined by
+ * the extension point DTD:
+ *
+ * type - the unique name of the marker type
+ * super - the list of marker types of which this marker is to be considered a sub-type
+ * attributes - the list of standard attributes which may be present on this type of marker
+ * persistent - whether markers of this type should be persisted by the platform
+ *
+ *
+ * All markers declared as persistent
are saved when the
+ * workspace is saved, except those explicitly set as transient (the
+ * TRANSIENT
attribute is set as true
). A plug-in
+ * which defines a persistent marker is not directly involved in saving and
+ * restoring the marker. Markers are not under version and configuration
+ * management, and cannot be shared via VCM repositories.
+ *
+ *
+ * Markers implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IMarker extends IAdaptable {
+
+ /*====================================================================
+ * Marker types:
+ *====================================================================*/
+
+ /**
+ * Base marker type.
+ *
+ * @see #getType()
+ */
+ public static final String MARKER = ResourcesPlugin.PI_RESOURCES + ".marker"; //$NON-NLS-1$
+
+ /**
+ * Task marker type.
+ *
+ * @see #getType()
+ */
+ public static final String TASK = ResourcesPlugin.PI_RESOURCES + ".taskmarker"; //$NON-NLS-1$
+
+ /**
+ * Problem marker type.
+ *
+ * @see #getType()
+ */
+ public static final String PROBLEM = ResourcesPlugin.PI_RESOURCES + ".problemmarker"; //$NON-NLS-1$
+
+ /**
+ * Text marker type.
+ *
+ * @see #getType()
+ */
+ public static final String TEXT = ResourcesPlugin.PI_RESOURCES + ".textmarker"; //$NON-NLS-1$
+
+ /**
+ * Bookmark marker type.
+ *
+ * @see #getType()
+ */
+ public static final String BOOKMARK = ResourcesPlugin.PI_RESOURCES + ".bookmark"; //$NON-NLS-1$
+
+ /*====================================================================
+ * Marker attributes:
+ *====================================================================*/
+
+ /**
+ * Severity marker attribute. A number from the set of error, warning and info
+ * severities defined by the platform.
+ *
+ * @see #SEVERITY_ERROR
+ * @see #SEVERITY_WARNING
+ * @see #SEVERITY_INFO
+ * @see #getAttribute(String, int)
+ */
+ public static final String SEVERITY = "severity"; //$NON-NLS-1$
+
+ /**
+ * Message marker attribute. A localized string describing the nature
+ * of the marker (e.g., a name for a bookmark or task). The content
+ * and form of this attribute is not specified or interpreted by the platform.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String MESSAGE = "message"; //$NON-NLS-1$
+
+ /**
+ * Location marker attribute. The location is a human-readable (localized) string which
+ * can be used to distinguish between markers on a resource. As such it
+ * should be concise and aimed at users. The content and
+ * form of this attribute is not specified or interpreted by the platform.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String LOCATION = "location"; //$NON-NLS-1$
+
+ /**
+ * Priority marker attribute. A number from the set of high, normal and low
+ * priorities defined by the platform.
+ *
+ * @see #PRIORITY_HIGH
+ * @see #PRIORITY_NORMAL
+ * @see #PRIORITY_LOW
+ * @see #getAttribute(String, int)
+ */
+ public static final String PRIORITY = "priority"; //$NON-NLS-1$
+
+ /**
+ * Done marker attribute. A boolean value indicating whether
+ * the marker (e.g., a task) is considered done.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String DONE = "done"; //$NON-NLS-1$
+
+ /**
+ * Character start marker attribute. An integer value indicating where a text
+ * marker starts. This attribute is zero-relative and inclusive.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String CHAR_START = "charStart"; //$NON-NLS-1$
+
+ /**
+ * Character end marker attribute. An integer value indicating where a text
+ * marker ends. This attribute is zero-relative and exclusive.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String CHAR_END = "charEnd"; //$NON-NLS-1$
+
+ /**
+ * Line number marker attribute. An integer value indicating the line number
+ * for a text marker. This attribute is 1-relative.
+ *
+ * @see #getAttribute(String, String)
+ */
+ public static final String LINE_NUMBER = "lineNumber"; //$NON-NLS-1$
+
+ /**
+ * Transient marker attribute. A boolean value indicating whether the
+ * marker (e. g., a task) is considered transient even if its type is
+ * declared as persistent.
+ *
+ * @see #getAttribute(String, String)
+ * @since 2.1
+ */
+ public static final String TRANSIENT = "transient"; //$NON-NLS-1$
+
+ /**
+ * User editable marker attribute. A boolean value indicating whether a
+ * user should be able to manually change the marker (e.g. a task). The
+ * default is true
. Note that the value of this attribute
+ * is to be used by the UI as a suggestion and its value will NOT be
+ * interpreted by Core in any manner and will not be enforced by Core
+ * when performing any operations on markers.
+ *
+ * @see #getAttribute(String, String)
+ * @since 2.1
+ */
+ public static final String USER_EDITABLE = "userEditable"; //$NON-NLS-1$
+
+ /**
+ * Source id attribute. A string attribute that can be used by tools that
+ * generate markers to indicate the source of the marker. Use of this attribute is
+ * optional and its format or existence is not enforced. This attribute is
+ * intended to improve serviceability by providing a value that product support
+ * personnel or automated tools can use to determine appropriate help and
+ * resolutions for markers.
+ *
+ * @see #getAttribute(String, String)
+ * @since 3.3
+ */
+ public static final String SOURCE_ID = "sourceId"; //$NON-NLS-1$
+
+ /*====================================================================
+ * Marker attributes values:
+ *====================================================================*/
+
+ /**
+ * High priority constant (value 2).
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int PRIORITY_HIGH = 2;
+
+ /**
+ * Normal priority constant (value 1).
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int PRIORITY_NORMAL = 1;
+
+ /**
+ * Low priority constant (value 0).
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int PRIORITY_LOW = 0;
+
+ /**
+ * Error severity constant (value 2) indicating an error state.
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int SEVERITY_ERROR = 2;
+
+ /**
+ * Warning severity constant (value 1) indicating a warning.
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int SEVERITY_WARNING = 1;
+
+ /**
+ * Info severity constant (value 0) indicating information only.
+ *
+ * @see #getAttribute(String, int)
+ */
+ public static final int SEVERITY_INFO = 0;
+
+ /**
+ * Deletes this marker from its associated resource. This method has no
+ * effect if this marker does not exist.
+ *
+ * @exception CoreException if this marker could not be deleted. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void delete() throws CoreException;
+
+ /**
+ * Tests this marker for equality with the given object.
+ * Two markers are equal if their id and resource are both equal.
+ *
+ * @param object the other object
+ * @return an indication of whether the objects are equal
+ */
+ public boolean equals(Object object);
+
+ /**
+ * Returns whether this marker exists in the workspace. A marker
+ * exists if its resource exists and has a marker with the marker's id.
+ *
+ * @return true
if this marker exists, otherwise
+ * false
+ */
+ public boolean exists();
+
+ /**
+ * Returns the attribute with the given name. The result is an instance of one
+ * of the following classes: String
, Integer
,
+ * or Boolean
.
+ * Returns null
if the attribute is undefined.
+ *
+ * @param attributeName the name of the attribute
+ * @return the value, or null
if the attribute is undefined.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ */
+ public Object getAttribute(String attributeName) throws CoreException;
+
+ /**
+ * Returns the integer-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined.
+ * or the marker does not exist or is not an integer value.
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if no value is found
+ * @return the value or the default value if no value was found.
+ */
+ public int getAttribute(String attributeName, int defaultValue);
+
+ /**
+ * Returns the string-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined
+ * or the marker does not exist or is not a string value.
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if no value is found
+ * @return the value or the default value if no value was found.
+ */
+ public String getAttribute(String attributeName, String defaultValue);
+
+ /**
+ * Returns the boolean-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined
+ * or the marker does not exist or is not a boolean value.
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if no value is found
+ * @return the value or the default value if no value was found.
+ */
+ public boolean getAttribute(String attributeName, boolean defaultValue);
+
+ /**
+ * Returns a map with all the attributes for the marker.
+ * If the marker has no attributes then null
is returned.
+ *
+ * @return a map of attribute keys and values (key type : String
+ * value type : String
, Integer
, or
+ * Boolean
) or null
.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ */
+ public Map getAttributes() throws CoreException;
+
+ /**
+ * Returns the attributes with the given names. The result is an an array
+ * whose elements correspond to the elements of the given attribute name
+ * array. Each element is null
or an instance of one
+ * of the following classes: String
, Integer
,
+ * or Boolean
.
+ *
+ * @param attributeNames the names of the attributes
+ * @return the values of the given attributes.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ */
+ public Object[] getAttributes(String[] attributeNames) throws CoreException;
+
+ /**
+ * Returns the time at which this marker was created.
+ *
+ * @return the difference, measured in milliseconds, between the time at which
+ * this marker was created and midnight, January 1, 1970 UTC, or 0L
+ * if the creation time is not known (this can occur in workspaces created using v2.0 or earlier).
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ * @since 2.1
+ */
+ public long getCreationTime() throws CoreException;
+
+ /**
+ * Returns the id of the marker. The id of a marker is unique
+ * relative to the resource with which the marker is associated.
+ * Marker ids are not globally unique.
+ *
+ * @return the id of the marker
+ * @see IResource#findMarker(long)
+ */
+ public long getId();
+
+ /**
+ * Returns the resource with which this marker is associated.
+ *
+ * @return the resource with which this marker is associated
+ */
+ public IResource getResource();
+
+ /**
+ * Returns the type of this marker. The returned marker type will not be
+ * null
.
+ *
+ * @return the type of this marker
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ */
+ public String getType() throws CoreException;
+
+ /**
+ * Returns whether the type of this marker is considered to be a sub-type of
+ * the given marker type.
+ *
+ * @return boolean true
if the marker's type
+ * is the same as (or a sub-type of) the given type.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ *
+ */
+ public boolean isSubtypeOf(String superType) throws CoreException;
+
+ /**
+ * Sets the integer-valued attribute with the given name.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this marker has been modified.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param value the value
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void setAttribute(String attributeName, int value) throws CoreException;
+
+ /**
+ * Sets the attribute with the given name. The value must be null
or
+ * an instance of one of the following classes:
+ * String
, Integer
, or Boolean
.
+ * If the value is null
, the attribute is considered to be undefined.
+ *
+ *
+ * The attribute value cannot be String
+ * whose UTF encoding exceeds 65535 bytes.
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this marker has been modified.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param value the value, or null
if the attribute is to be undefined
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void setAttribute(String attributeName, Object value) throws CoreException;
+
+ /**
+ * Sets the boolean-valued attribute with the given name.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this marker has been modified.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param value the value
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void setAttribute(String attributeName, boolean value) throws CoreException;
+
+ /**
+ * Sets the given attribute key-value pairs on this marker.
+ * The values must be null
or an instance of
+ * one of the following classes: String
,
+ * Integer
, or Boolean
.
+ * If a value is null
, the new value of the
+ * attribute is considered to be undefined.
+ *
+ *
+ * The values of the attributes cannot be String
+ * whose UTF encoding exceeds 65535 bytes.
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this marker has been modified.
+ *
+ *
+ * @param attributeNames an array of attribute names
+ * @param values an array of attribute values
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void setAttributes(String[] attributeNames, Object[] values) throws CoreException;
+
+ /**
+ * Sets the attributes for this marker to be the ones contained in the
+ * given table. The values must be an instance of one of the following classes:
+ * String
, Integer
, or Boolean
.
+ * Attributes previously set on the marker but not included in the given map
+ * are considered to be removals. Setting the given map to be null
+ * is equivalent to removing all marker attributes.
+ *
+ *
+ * The values of the attributes cannot be String
+ * whose UTF encoding exceeds 65535 bytes.
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this marker has been modified.
+ *
+ *
+ * @param attributes a map of attribute names to attribute values
+ * (key type : String
value type : String
,
+ * Integer
, or Boolean
) or null
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This marker does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void setAttributes(Map attributes) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IMarkerDelta.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IMarkerDelta.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,180 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.Map;
+
+/**
+ * A marker delta describes the change to a single marker.
+ * A marker can either be added, removed or changed.
+ * Marker deltas give access to the state of the marker as it
+ * was (in the case of deletions and changes) before the modifying
+ * operation occurred.
+ *
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IMarkerDelta {
+ /**
+ * Returns the object attribute with the given name. The result is an instance of one
+ * of the following classes: String
, Integer
,
+ * or Boolean
.
+ * Returns null
if the attribute is undefined.
+ * The set of valid attribute names is defined elsewhere.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ * @param attributeName the name of the attribute
+ * @return the value, or null
if the attribute is undefined.
+ */
+ public Object getAttribute(String attributeName);
+
+ /**
+ * Returns the integer-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined
+ * or is not an integer value.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if the attribute does not exist
+ * @return the value or the default value if the attribute is undefined.
+ */
+ public int getAttribute(String attributeName, int defaultValue);
+
+ /**
+ * Returns the string-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined or
+ * is not a string value.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if the attribute does not exist
+ * @return the value or the default value if the attribute is undefined.
+ */
+ public String getAttribute(String attributeName, String defaultValue);
+
+ /**
+ * Returns the boolean-valued attribute with the given name.
+ * Returns the given default value if the attribute is undefined
+ * or is not a boolean value.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @param attributeName the name of the attribute
+ * @param defaultValue the value to use if the attribute does not exist
+ * @return the value or the default value if the attribute is undefined.
+ */
+ public boolean getAttribute(String attributeName, boolean defaultValue);
+
+ /**
+ * Returns a Map with all the attributes for the marker. The result is a Map
+ * whose keys are attributes names and whose values are attribute values.
+ * Each value an instance of one of the following classes: String
,
+ * Integer
, or Boolean
. If the marker has no
+ * attributes then null
is returned.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @return a map of attribute keys and values (key type : String
+ * value type : String
, Integer
, or
+ * Boolean
) or null
.
+ */
+ public Map getAttributes();
+
+ /**
+ * Returns the attributes with the given names. The result is an array
+ * whose elements correspond to the elements of the given attribute name
+ * array. Each element is null
or an instance of one
+ * of the following classes: String
, Integer
,
+ * or Boolean
.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @param attributeNames the names of the attributes
+ * @return the values of the given attributes.
+ */
+ public Object[] getAttributes(String[] attributeNames);
+
+ /**
+ * Returns the id of the marker. The id of a marker is unique
+ * relative to the resource with which the marker is associated.
+ * Marker ids are not globally unique.
+ *
+ * @return the id of the marker
+ */
+ public long getId();
+
+ /**
+ * Returns the kind of this marker delta:
+ * one of IResourceDelta.ADDED
,
+ * IResourceDelta.REMOVED
, or IResourceDelta.CHANGED
.
+ *
+ * @return the kind of marker delta
+ * @see IResourceDelta#ADDED
+ * @see IResourceDelta#REMOVED
+ * @see IResourceDelta#CHANGED
+ */
+ public int getKind();
+
+ /**
+ * Returns the marker described by this change.
+ * If kind is IResourceDelta.REMOVED
, then this is the old marker,
+ * otherwise this is the new marker. Note that if the marker was deleted,
+ * the value returned cannot be used to access attributes.
+ *
+ * @return the marker
+ */
+ public IMarker getMarker();
+
+ /**
+ * Returns the resource with which this marker is associated.
+ *
+ * @return the resource
+ */
+ public IResource getResource();
+
+ /**
+ * Returns the type of this marker.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @return the type of this marker
+ */
+ public String getType();
+
+ /**
+ * Returns whether the type of this marker is considered to be a sub-type of
+ * the given marker type.
+ *
+ * If kind is IResourceDelta.ADDED
, then the information is
+ * from the new marker, otherwise it is from the old marker.
+ *
+ *
+ * @return boolean true
if the marker's type
+ * is the same as (or a sub-type of) the given type.
+ */
+ public boolean isSubtypeOf(String superType);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableChangeEvent.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableChangeEvent.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,72 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * Describes a change in a path variable. The change may denote that a
+ * variable has been created, deleted or had its value changed.
+ *
+ * @since 2.1
+ * @see IPathVariableChangeListener
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IPathVariableChangeEvent {
+
+ /** Event type constant (value = 1) that denotes a value change . */
+ public final static int VARIABLE_CHANGED = 1;
+
+ /** Event type constant (value = 2) that denotes a variable creation. */
+ public final static int VARIABLE_CREATED = 2;
+
+ /** Event type constant (value = 3) that denotes a variable deletion. */
+ public final static int VARIABLE_DELETED = 3;
+
+ /**
+ * Returns the variable's current value. If the event type is
+ * VARIABLE_CHANGED
then it is the new value, if the event
+ * type is VARIABLE_CREATED
then it is the new value, or
+ * if the event type is VARIABLE_DELETED
then it will
+ * be null
.
+ *
+ * @return the variable's current value, or null
+ */
+ public IPath getValue();
+
+ /**
+ * Returns the affected variable's name.
+ *
+ * @return the affected variable's name
+ */
+ public String getVariableName();
+
+ /**
+ * Returns an object identifying the source of this event.
+ *
+ * @return an object identifying the source of this event
+ * @see java.util.EventObject
+ */
+ public Object getSource();
+
+ /**
+ * Returns the type of event being reported.
+ *
+ * @return one of the event type constants
+ * @see #VARIABLE_CHANGED
+ * @see #VARIABLE_CREATED
+ * @see #VARIABLE_DELETED
+ */
+ public int getType();
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableChangeListener.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableChangeListener.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,40 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+
+package org.eclipse.core.resources;
+
+import java.util.EventListener;
+
+/**
+ * An interface to be implemented by objects interested in path variable
+ * creation, removal and value change events.
+ *
+ * Clients may implement this interface.
+ *
+ * @since 2.1
+ */
+public interface IPathVariableChangeListener extends EventListener {
+ /**
+ * Notification that a path variable has changed.
+ *
+ * This method is called when a path variable is added, removed or has its value
+ * changed in the observed IPathVariableManager
object.
+ *
+ *
+ * @param event the path variable change event object describing which variable
+ * changed and how
+ * @see IPathVariableManager#addChangeListener(IPathVariableChangeListener)
+ * @see IPathVariableManager#removeChangeListener(IPathVariableChangeListener)
+ * @see IPathVariableChangeEvent
+ */
+ public void pathVariableChanged(IPathVariableChangeEvent event);
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableManager.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IPathVariableManager.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,203 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+
+package org.eclipse.core.resources;
+
+import java.net.URI;
+import org.eclipse.core.runtime.*;
+
+/**
+ * Manages a collection of path variables and resolves paths containing a
+ * variable reference.
+ *
+ * A path variable is a pair of non-null elements (name,value) where name is
+ * a case-sensitive string (containing only letters, digits and the underscore
+ * character, and not starting with a digit), and value is an absolute
+ * IPath
object.
+ *
+ *
+ * Path variables allow for the creation of relative paths whose exact
+ * location in the file system depends on the value of a variable. A variable
+ * reference may only appear as the first segment of a relative path.
+ *
+ *
+ * @see org.eclipse.core.runtime.IPath
+ * @since 2.1
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IPathVariableManager {
+
+ /**
+ * Sets the path variable with the given name to be the specified value.
+ * Depending on the value given and if the variable is currently defined
+ * or not, there are several possible outcomes for this operation:
+ *
+ *
+ * A new variable will be created, if there is no variable defined with
+ * the given name, and the given value is not null
.
+ *
+ *
+ * The referred variable's value will be changed, if it already exists
+ * and the given value is not null
.
+ *
+ * The referred variable will be removed, if a variable with the given
+ * name is currently defined and the given value is null
.
+ *
+ *
+ * The call will be ignored, if a variable with the given name is not
+ * currently defined and the given value is null
, or if it is
+ * defined but the given value is equal to its current value.
+ *
+ *
+ * If a variable is effectively changed, created or removed by a call to
+ * this method, notification will be sent to all registered listeners.
+ *
+ * @param name the name of the variable
+ * @param value the value for the variable (may be null
)
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * The variable name is not valid
+ * The variable value is relative
+ *
+ */
+ public void setValue(String name, IPath value) throws CoreException;
+
+ /**
+ * Returns the value of the path variable with the given name. If there is
+ * no variable defined with the given name, returns null
.
+ *
+ * @param name the name of the variable to return the value for
+ * @return the value for the variable, or null
if there is no
+ * variable defined with the given name
+ */
+ public IPath getValue(String name);
+
+ /**
+ * Returns an array containing all defined path variable names.
+ *
+ * @return an array containing all defined path variable names
+ */
+ public String[] getPathVariableNames();
+
+ /**
+ * Registers the given listener to receive notification of changes to path
+ * variables. The listener will be notified whenever a variable has been
+ * added, removed or had its value changed. Has no effect if an identical
+ * path variable change listener is already registered.
+ *
+ * @param listener the listener
+ * @see IPathVariableChangeListener
+ */
+ public void addChangeListener(IPathVariableChangeListener listener);
+
+ /**
+ * Removes the given path variable change listener from the listeners list.
+ * Has no effect if an identical listener is not registered.
+ *
+ * @param listener the listener
+ * @see IPathVariableChangeListener
+ */
+ public void removeChangeListener(IPathVariableChangeListener listener);
+
+ /**
+ * Resolves a relative URI
object potentially containing a
+ * variable reference as its first segment, replacing the variable reference
+ * (if any) with the variable's value (which is a concrete absolute URI).
+ * If the given URI is absolute or has a non- null
device then
+ * no variable substitution is done and that URI is returned as is. If the
+ * given URI is relative and has a null
device, but the first
+ * segment does not correspond to a defined variable, then the URI is
+ * returned as is.
+ *
+ * If the given URI is null
then null
will be
+ * returned. In all other cases the result will be non-null
.
+ *
+ *
+ * @param uri the URI to be resolved
+ * @return the resolved URI or null
+ * @since 3.2
+ */
+ public URI resolveURI(URI uri);
+
+ /**
+ * Resolves a relative IPath
object potentially containing a
+ * variable reference as its first segment, replacing the variable reference
+ * (if any) with the variable's value (which is a concrete absolute path).
+ * If the given path is absolute or has a non- null
device then
+ * no variable substitution is done and that path is returned as is. If the
+ * given path is relative and has a null
device, but the first
+ * segment does not correspond to a defined variable, then the path is
+ * returned as is.
+ *
+ * If the given path is null
then null
will be
+ * returned. In all other cases the result will be non-null
.
+ *
+ *
+ *
+ * For example, consider the following collection of path variables:
+ *
+ *
+ * TEMP = c:/temp
+ * BACKUP = /tmp/backup
+ *
+ * The following paths would be resolved as:
+ *
c:/bin => c:/bin
+ * c:TEMP => c:TEMP
+ * /TEMP => /TEMP
+ * TEMP => c:/temp
+ * TEMP/foo => c:/temp/foo
+ * BACKUP => /tmp/backup
+ * BACKUP/bar.txt => /tmp/backup/bar.txt
+ * SOMEPATH/foo => SOMEPATH/foo
+ *
+ * @param path the path to be resolved
+ * @return the resolved path or null
+ */
+ public IPath resolvePath(IPath path);
+
+ /**
+ * Returns true
if the given variable is defined and
+ * false
otherwise. Returns false
if the given
+ * name is not a valid path variable name.
+ *
+ * @param name the variable's name
+ * @return true
if the variable exists, false
+ * otherwise
+ */
+ public boolean isDefined(String name);
+
+ /**
+ * Validates the given name as the name for a path variable. A valid path
+ * variable name is made exclusively of letters, digits and the underscore
+ * character, and does not start with a digit.
+ *
+ * @param name a possibly valid path variable name
+ * @return a status object with code IStatus.OK
if
+ * the given name is a valid path variable name, otherwise a status
+ * object indicating what is wrong with the string
+ * @see IStatus#OK
+ */
+ public IStatus validateName(String name);
+
+ /**
+ * Validates the given path as the value for a path variable. A path
+ * variable value must be a valid path that is absolute.
+ *
+ * @param path a possibly valid path variable value
+ * @return a status object with code IStatus.OK
if the given
+ * path is a valid path variable value, otherwise a status object indicating
+ * what is wrong with the value
+ * @see IPath#isValidPath(String)
+ * @see IStatus#OK
+ */
+ public IStatus validateValue(IPath path);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProject.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProject.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,846 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.Map;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.content.IContentTypeMatcher;
+
+/**
+ * A project is a type of resource which groups resources
+ * into buildable, reusable units.
+ *
+ * Features of projects include:
+ *
+ * A project collects together a set of files and folders.
+ * A project's location controls where the project's resources are
+ * stored in the local file system.
+ * A project's build spec controls how building is done on the project.
+ * A project can carry session and persistent properties.
+ * A project can be open or closed; a closed project is
+ * passive and has a minimal in-memory footprint.
+ * A project can carry references to other projects.
+ * A project can have one or more project natures.
+ *
+ *
+ *
+ * Projects implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IProject extends IContainer, IAdaptable {
+ /**
+ * Invokes the build
method of the specified builder
+ * for this project. Does nothing if this project is closed. If this project
+ * has multiple builders on its build spec matching the given name, only
+ * the first matching builder will be run.
+ *
+ * The builder name is declared in the extension that plugs in
+ * to the standard org.eclipse.core.resources.builders
+ * extension point. The arguments are builder specific.
+ *
+ *
+ * This method may change resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param kind the kind of build being requested. Valid values are:
+ *
+ * {@link IncrementalProjectBuilder#FULL_BUILD}- indicates a full build.
+ * {@link IncrementalProjectBuilder#INCREMENTAL_BUILD}- indicates a incremental build.
+ * {@link IncrementalProjectBuilder#CLEAN_BUILD}- indicates a clean request. Clean does
+ * not actually build anything, but rather discards all problems and build states.
+ *
+ * @param builderName the name of the builder
+ * @param args a table of builder-specific arguments keyed by argument name
+ * (key type: String
, value type: String
);
+ * null
is equivalent to an empty map
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if the build fails.
+ * The status contained in the exception may be a generic {@link IResourceStatus#BUILD_FAILED}
+ * code, but it could also be any other status code; it might
+ * also be a {@link MultiStatus}.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IProjectDescription
+ * @see IncrementalProjectBuilder#build(int, Map, IProgressMonitor)
+ * @see IncrementalProjectBuilder#FULL_BUILD
+ * @see IncrementalProjectBuilder#INCREMENTAL_BUILD
+ * @see IncrementalProjectBuilder#CLEAN_BUILD
+ * @see IResourceRuleFactory#buildRule()
+ */
+ public void build(int kind, String builderName, Map args, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Builds this project. Does nothing if the project is closed.
+ *
+ * Building a project involves executing the commands found
+ * in this project's build spec.
+ *
+ *
+ * This method may change resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param kind the kind of build being requested. Valid values are:
+ *
+ * IncrementalProjectBuilder.FULL_BUILD
- indicates a full build.
+ * IncrementalProjectBuilder.INCREMENTAL_BUILD
- indicates an incremental build.
+ * CLEAN_BUILD
- indicates a clean request. Clean does
+ * not actually build anything, but rather discards all problems and build states.
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if the build fails.
+ * The status contained in the exception may be a generic BUILD_FAILED
+ * code, but it could also be any other status code; it might
+ * also be a multi-status.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IProjectDescription
+ * @see IncrementalProjectBuilder#FULL_BUILD
+ * @see IncrementalProjectBuilder#INCREMENTAL_BUILD
+ * @see IResourceRuleFactory#buildRule()
+ */
+ public void build(int kind, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Closes this project. The project need not be open. Closing
+ * a closed project does nothing.
+ *
+ * Closing a project involves ensuring that all important project-related
+ * state is safely stored on disk, and then discarding the in-memory
+ * representation of its resources and other volatile state,
+ * including session properties.
+ * After this method, the project continues to exist in the workspace
+ * but its member resources (and their members, etc.) do not.
+ * A closed project can later be re-opened.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event that includes
+ * an indication that this project has been closed and its members
+ * have been removed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #open(IProgressMonitor)
+ * @see #isOpen()
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ */
+ public void close(IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new project resource in the workspace using the given project
+ * description. Upon successful completion, the project will exist but be closed.
+ *
+ * Newly created projects have no session or persistent properties.
+ *
+ *
+ * If the project content area given in the project description does not
+ * contain a project description file, a project description file is written
+ * in the project content area with the natures, build spec, comment, and
+ * referenced projects as specified in the given project description.
+ * If there is an existing project description file, it is not overwritten. In either
+ * case, this method does not cause natures to be configured.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the project has been added to the workspace.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the project description
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project already exists in the workspace.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The project location is not valid (according to
+ * IWorkspace.validateProjectLocation
).
+ * The project description file could not be created in the project
+ * content area.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IWorkspace#validateProjectLocation(IProject, IPath)
+ * @see IResourceRuleFactory#createRule(IResource)
+ */
+ public void create(IProjectDescription description, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new project resource in the workspace with files in the default
+ * location in the local file system. Upon successful completion, the project
+ * will exist but be closed.
+ *
+ * Newly created projects have no session or persistent properties.
+ *
+ *
+ * If the project content area does not contain a project description file,
+ * an initial project description file is written in the project content area
+ * with the following information:
+ *
+ * no references to other projects
+ * no natures
+ * an empty build spec
+ * an empty comment
+ *
+ * If there is an existing project description file, it is not overwritten.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that this project has been added to the workspace.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project already exists in the workspace.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The project location is not valid (according to
+ * IWorkspace.validateProjectLocation
).
+ * The project description file could not be created in the project
+ * content area.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IWorkspace#validateProjectLocation(IProject, IPath)
+ * @see IResourceRuleFactory#createRule(IResource)
+ */
+ public void create(IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates a new project resource in the workspace using the given project
+ * description. Upon successful completion, the project will exist but be closed.
+ *
+ * Newly created projects have no session or persistent properties.
+ *
+ *
+ * If the project content area given in the project description does not
+ * contain a project description file, a project description file is written
+ * in the project content area with the natures, build spec, comment, and
+ * referenced projects as specified in the given project description.
+ * If there is an existing project description file, it is not overwritten. In either
+ * case, this method does not cause natures to be configured.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the project has been added to the workspace.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * The {@link IResource#HIDDEN} update flag indicates that this resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link IResource#setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * @param description the project description
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project already exists in the workspace.
+ * The name of this resource is not valid (according to
+ * IWorkspace.validateName
).
+ * The project location is not valid (according to
+ * IWorkspace.validateProjectLocation
).
+ * The project description file could not be created in the project
+ * content area.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IWorkspace#validateProjectLocation(IProject, IPath)
+ * @see IResourceRuleFactory#createRule(IResource)
+ *
+ * @since 3.4
+ */
+ public void create(IProjectDescription description, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes this project from the workspace.
+ * No action is taken if this project does not exist.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * delete(
+ * (deleteContent ? IResource.ALWAYS_DELETE_PROJECT_CONTENT : IResource.NEVER_DELETE_PROJECT_CONTENT )
+ * | (force ? FORCE : IResource.NONE),
+ * monitor);
+ *
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param deleteContent a flag controlling how whether content is
+ * aggressively deleted
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project could not be deleted.
+ * This project's contents could not be deleted.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int, IProgressMonitor)
+ * @see #open(IProgressMonitor)
+ * @see #close(IProgressMonitor)
+ * @see IResource#delete(int,IProgressMonitor)
+ * @see IResourceRuleFactory#deleteRule(IResource)
+ */
+ public void delete(boolean deleteContent, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns this project's content type matcher. This content type matcher takes
+ * project specific preferences and nature-content type associations into
+ * account.
+ *
+ * @return the content type matcher for this project
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ *
+ * @see IContentTypeMatcher
+ * @since 3.1
+ */
+ public IContentTypeMatcher getContentTypeMatcher() throws CoreException;
+
+ /**
+ * Returns the description for this project.
+ * The returned value is a copy and cannot be used to modify
+ * this project. The returned value is suitable for use in creating,
+ * copying and moving other projects.
+ *
+ * @return the description for this project
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ *
+ * @see #create(IProgressMonitor)
+ * @see #create(IProjectDescription, IProgressMonitor)
+ * @see IResource#copy(IProjectDescription, int, IProgressMonitor)
+ * @see #move(IProjectDescription, boolean, IProgressMonitor)
+ */
+ public IProjectDescription getDescription() throws CoreException;
+
+ /**
+ * Returns a handle to the file with the given name in this project.
+ *
+ * This is a resource handle operation; neither the resource nor
+ * the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ *
+ * @param name the string name of the member file
+ * @return the (handle of the) member file
+ * @see #getFolder(String)
+ */
+ public IFile getFile(String name);
+
+ /**
+ * Returns a handle to the folder with the given name in this project.
+ *
+ * This is a resource handle operation; neither the container
+ * nor the result need exist in the workspace.
+ * The validation check on the resource name/path is not done
+ * when the resource handle is constructed; rather, it is done
+ * automatically as the resource is created.
+ *
+ *
+ * @param name the string name of the member folder
+ * @return the (handle of the) member folder
+ * @see #getFile(String)
+ */
+ public IFolder getFolder(String name);
+
+ /**
+ * Returns the specified project nature for this project or null
if
+ * the project nature has not been added to this project.
+ * Clients may downcast to a more concrete type for more nature-specific methods.
+ * The documentation for a project nature specifies any such additional protocol.
+ *
+ * This may cause the plug-in that provides the given nature to be activated.
+ *
+ *
+ * @param natureId the fully qualified nature extension identifier, formed
+ * by combining the nature extension id with the id of the declaring plug-in.
+ * (e.g. "com.example.acmeplugin.coolnature"
)
+ * @return the project nature object
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ * The project nature extension could not be found.
+ *
+ */
+ public IProjectNature getNature(String natureId) throws CoreException;
+
+ /**
+ * Returns the location in the local file system of the project-specific
+ * working data area for use by the given plug-in or null
+ * if the project does not exist.
+ *
+ * The content, structure, and management of this area is
+ * the responsibility of the plug-in. This area is deleted when the
+ * project is deleted.
+ *
+ * This project needs to exist but does not need to be open.
+ *
+ * @param plugin the plug-in
+ * @return a local file system path
+ * @deprecated Use IProject.getWorkingLocation(plugin.getUniqueIdentifier())
.
+ */
+ public IPath getPluginWorkingLocation(IPluginDescriptor plugin);
+
+ /**
+ * Returns the location in the local file system of the project-specific
+ * working data area for use by the bundle/plug-in with the given identifier,
+ * or null
if the project does not exist.
+ *
+ * The content, structure, and management of this area is
+ * the responsibility of the bundle/plug-in. This area is deleted when the
+ * project is deleted.
+ *
+ * This project needs to exist but does not need to be open.
+ *
+ * @param id the bundle or plug-in's identifier
+ * @return a local file system path
+ * @since 3.0
+ */
+ public IPath getWorkingLocation(String id);
+
+ /**
+ * Returns the projects referenced by this project. This includes
+ * both the static and dynamic references of this project.
+ * The returned projects need not exist in the workspace.
+ * The result will not contain duplicates. Returns an empty
+ * array if there are no referenced projects.
+ *
+ * @return a list of projects
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ *
+ * @see IProjectDescription#getReferencedProjects()
+ * @see IProjectDescription#getDynamicReferences()
+ */
+ public IProject[] getReferencedProjects() throws CoreException;
+
+ /**
+ * Returns the list of all open projects which reference
+ * this project. This project may or may not exist. Returns
+ * an empty array if there are no referencing projects.
+ *
+ * @return a list of open projects referencing this project
+ */
+ public IProject[] getReferencingProjects();
+
+ /**
+ * Returns whether the project nature specified by the given
+ * nature extension id has been added to this project.
+ *
+ * @param natureId the nature extension identifier
+ * @return true
if the project has the given nature
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ *
+ */
+ public boolean hasNature(String natureId) throws CoreException;
+
+ /**
+ * Returns true if the project nature specified by the given
+ * nature extension id is enabled for this project, and false otherwise.
+ *
+ *
Reasons for a nature not to be enabled include:
+ * The nature is not available in the install.
+ * The nature has not been added to this project.
+ * The nature has a prerequisite that is not enabled
+ * for this project.
+ * The nature specifies "one-of-nature" membership in
+ * a set, and there is another nature on this project belonging
+ * to that set.
+ * The prerequisites for the nature form a cycle.
+ *
+ *
+ * @param natureId the nature extension identifier
+ * @return true
if the given nature is enabled for this project
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist.
+ * This project is not open.
+ *
+ * @since 2.0
+ * @see IWorkspace#validateNatureSet(String[])
+ */
+ public boolean isNatureEnabled(String natureId) throws CoreException;
+
+ /**
+ * Returns whether this project is open.
+ *
+ * A project must be opened before it can be manipulated.
+ * A closed project is passive and has a minimal memory
+ * footprint; a closed project has no members.
+ *
+ *
+ * @return true
if this project is open, false
if
+ * this project is closed or does not exist
+ * @see #open(IProgressMonitor)
+ * @see #close(IProgressMonitor)
+ */
+ public boolean isOpen();
+
+ /**
+ * Renames this project so that it is located at the name in
+ * the given description.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * move(description, (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event that will include
+ * an indication that the resource has been removed from its parent
+ * and that a corresponding resource has been added to its new parent.
+ * Additional information provided with resource delta shows that these
+ * additions and removals are related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the description for the destination project
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource is not accessible.
+ * This resource or one of its descendents is not local.
+ * This resource or one of its descendents is out of sync with the local file system
+ * and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceDelta#getFlags()
+ * @see IResource#move(IProjectDescription,int,IProgressMonitor)
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ */
+ public void move(IProjectDescription description, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Opens this project. No action is taken if the project is already open.
+ *
+ * Opening a project constructs an in-memory representation
+ * of its resources from information stored on disk.
+ *
+ *
+ * The BACKGROUND_REFRESH
update flag controls how
+ * this method behaves when a project is opened for the first time on a location
+ * that has existing resources on disk. If this flag is specified, resources on disk
+ * will be added to the project in the background after this method returns.
+ * Child resources of the project may not be available until this background
+ * refresh completes. If this flag is not specified, resources on disk are added
+ * to the project in the foreground before this method returns.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event that includes
+ * an indication that the project has been opened and its resources
+ * have been added to the tree. If the BACKGROUND_REFRESH
+ * update flag is specified, multiple resource change events may occur as
+ * resources on disk are discovered and added to the tree.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #close(IProgressMonitor)
+ * @see IResource#BACKGROUND_REFRESH
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @since 3.1
+ */
+ public void open(int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Opens this project. No action is taken if the project is already open.
+ *
+ * This is a convenience method, fully equivalent to
+ * open(IResource.NONE, monitor)
.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event that includes
+ * an indication that the project has been opened and its resources
+ * have been added to the tree.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #close(IProgressMonitor)
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ */
+ public void open(IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Changes this project resource to match the given project
+ * description. This project should exist and be open.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * setDescription(description, KEEP_HISTORY, monitor);
+ *
+ *
+ *
+ * This method requires the {@link IWorkspaceRoot} scheduling rule.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the project's content has changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the project description
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist in the workspace.
+ * This project is not open.
+ * The location in the local file system corresponding to the project
+ * description file is occupied by a directory.
+ * The workspace is out of sync with the project description file
+ * in the local file system .
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see #getDescription()
+ * @see IProjectNature#configure()
+ * @see IProjectNature#deconfigure()
+ * @see #setDescription(IProjectDescription,int,IProgressMonitor)
+ */
+ public void setDescription(IProjectDescription description, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Changes this project resource to match the given project
+ * description. This project should exist and be open.
+ *
+ * The given project description is used to change the project's
+ * natures, build spec, comment, and referenced projects.
+ * The name and location of a project cannot be changed using this method;
+ * these settings in the project description are ignored. To change a project's
+ * name or location, use {@link IResource#move(IProjectDescription, int, IProgressMonitor)}.
+ * The project's session and persistent properties are not affected.
+ *
+ *
+ * If the new description includes nature ids of natures that the project
+ * did not have before, these natures will be configured in automatically,
+ * which involves instantiating the project nature and calling
+ * {@link IProjectNature#configure()} on it. An internal reference to the
+ * nature object is retained, and will be returned on subsequent calls to
+ * getNature
for the specified nature id. Similarly, any natures
+ * the project had which are no longer required will be automatically
+ * de-configured by calling {@link IProjectNature#deconfigure}
+ * on the nature object and letting go of the internal reference to it.
+ *
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to overwrite the project's description file in the local file system
+ * provided it is in sync with the workspace. This option ensures there is no
+ * unintended data loss; it is the recommended setting.
+ * However, if FORCE
is specified, an attempt will be made
+ * to write the project description file in the local file system, overwriting
+ * any existing one if need be.
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not a copy of
+ * current contents of the project description file should be captured in the
+ * workspace's local history. The local history mechanism serves as a safety net
+ * to help the user recover from mistakes that might otherwise result in data
+ * loss. Specifying KEEP_HISTORY
is recommended. Note that local
+ * history is maintained with each individual project, and gets discarded when
+ * a project is deleted from the workspace.
+ *
+ *
+ * The AVOID_NATURE_CONFIG
update flag controls whether or
+ * not added and removed natures should be configured or de-configured. If this
+ * flag is not specified, then added natures will be configured and removed natures
+ * will be de-configured. If this flag is specified, natures can still be added or
+ * removed, but they will not be configured or de-configured.
+ *
+ *
+ * The scheduling rule required for this operation depends on the
+ * AVOID_NATURE_CONFIG
flag. If the flag is specified the
+ * {@link IResourceRuleFactory#modifyRule} is required; If the flag is not specified,
+ * the {@link IWorkspaceRoot} scheduling rule is required.
+ *
+ *
+ * Update flags other than FORCE
, KEEP_HISTORY
,
+ * and AVOID_NATURE_CONFIG
are ignored.
+ *
+ *
+ * Prior to modifying the project description file, the file modification
+ * validator (if provided by the Team plug-in), will be given a chance to
+ * perform any last minute preparations. Validation is performed by calling
+ * IFileModificationValidator.validateSave
on the project
+ * description file. If the validation fails, then this operation will fail.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event, including an indication
+ * that the project's content has changed.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the project description
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
, KEEP_HISTORY
and
+ * AVOID_NATURE_CONFIG
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This project does not exist in the workspace.
+ * This project is not open.
+ * The location in the local file system corresponding to the project
+ * description file is occupied by a directory.
+ * The workspace is not in sync with the project
+ * description file in the local file system and FORCE
is not
+ * specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The file modification validator disallowed the change.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see #getDescription()
+ * @see IProjectNature#configure()
+ * @see IProjectNature#deconfigure()
+ * @see IResource#FORCE
+ * @see IResource#KEEP_HISTORY
+ * @see IResource#AVOID_NATURE_CONFIG
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @since 2.0
+ */
+ public void setDescription(IProjectDescription description, int updateFlags, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectDescription.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectDescription.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,289 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.net.URI;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A project description contains the meta-data required to define
+ * a project. In effect, a project description is a project's "content".
+ *
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IProjectDescription {
+ /**
+ * Constant that denotes the name of the project description file (value
+ * ".project"
).
+ * The handle of a project's description file is
+ * project.getFile(DESCRIPTION_FILE_NAME)
.
+ * The project description file is located in the root of the project's content area.
+ *
+ * @since 2.0
+ */
+ public static final String DESCRIPTION_FILE_NAME = ".project"; //$NON-NLS-1$
+
+ /**
+ * Returns the list of build commands to run when building the described project.
+ * The commands are listed in the order in which they are to be run.
+ *
+ * @return the list of build commands for the described project
+ */
+ public ICommand[] getBuildSpec();
+
+ /**
+ * Returns the descriptive comment for the described project.
+ *
+ * @return the comment for the described project
+ */
+ public String getComment();
+
+ /**
+ * Returns the dynamic project references for the described project. Dynamic
+ * project references can be used instead of simple project references in cases
+ * where the reference information is computed dynamically be a third party.
+ * These references are persisted by the workspace in a private location outside
+ * the project description file, and as such will not be shared when a project is
+ * exported or persisted in a repository. A client using project references
+ * is always responsible for setting these references when a project is created
+ * or recreated.
+ *
+ * The returned projects need not exist in the workspace. The result will not
+ * contain duplicates. Returns an empty array if there are no dynamic project
+ * references on this description.
+ *
+ * @see #getReferencedProjects()
+ * @see #setDynamicReferences(IProject[])
+ * @return a list of projects
+ * @since 3.0
+ */
+ public IProject[] getDynamicReferences();
+
+ /**
+ * Returns the local file system location for the described project. The path
+ * will be either an absolute file system path, or a relative path whose first
+ * segment is the name of a workspace path variable. null
is
+ * returned if the default location should be used. This method will return
+ * null
if this project is not located in the local file system.
+ *
+ * @return the location for the described project or null
+ * @deprecated Since 3.2, project locations are not necessarily in the local file
+ * system. The more general {@link #getLocationURI()} method should be used instead.
+ */
+ public IPath getLocation();
+
+ /**
+ * Returns the location URI for the described project. null
is
+ * returned if the default location should be used.
+ *
+ * @return the location for the described project or null
+ * @since 3.2
+ * @see #setLocationURI(URI)
+ */
+ public URI getLocationURI();
+
+ /**
+ * Returns the name of the described project.
+ *
+ * @return the name of the described project
+ */
+ public String getName();
+
+ /**
+ * Returns the list of natures associated with the described project.
+ * Returns an empty array if there are no natures on this description.
+ *
+ * @return the list of natures for the described project
+ * @see #setNatureIds(String[])
+ */
+ public String[] getNatureIds();
+
+ /**
+ * Returns the projects referenced by the described project. These references
+ * are persisted in the project description file (".project") and as such
+ * will be shared whenever the project is exported to another workspace. For
+ * references that are likely to change from one workspace to another, dynamic
+ * references should be used instead.
+ *
+ * The projects need not exist in the workspace.
+ * The result will not contain duplicates. Returns an empty
+ * array if there are no referenced projects on this description.
+ *
+ *@see #getDynamicReferences()
+ * @return a list of projects
+ */
+ public IProject[] getReferencedProjects();
+
+ /**
+ * Returns whether the project nature specified by the given
+ * nature extension id has been added to the described project.
+ *
+ * @param natureId the nature extension identifier
+ * @return true
if the described project has the given nature
+ */
+ public boolean hasNature(String natureId);
+
+ /**
+ * Returns a new build command.
+ *
+ * Note that the new command does not become part of this project
+ * description's build spec until it is installed via the setBuildSpec
+ * method.
+ *
+ *
+ * @return a new command
+ * @see #setBuildSpec(ICommand[])
+ */
+ public ICommand newCommand();
+
+ /**
+ * Sets the list of build command to run when building the described project.
+ *
+ * Users must call {@link IProject#setDescription(IProjectDescription, int, IProgressMonitor)}
+ * before changes made to this description take effect.
+ *
+ *
+ * @param buildSpec the array of build commands to run
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @see #getBuildSpec()
+ * @see #newCommand()
+ */
+ public void setBuildSpec(ICommand[] buildSpec);
+
+ /**
+ * Sets the comment for the described project.
+ *
+ * Users must call {@link IProject#setDescription(IProjectDescription, int, IProgressMonitor)}
+ * before changes made to this description take effect.
+ *
+ *
+ * @param comment the comment for the described project
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @see #getComment()
+ */
+ public void setComment(String comment);
+
+ /**
+ * Sets the dynamic project references for the described project.
+ * The projects need not exist in the workspace. Duplicates will be
+ * removed.
+ *
+ * Users must call {@link IProject#setDescription(IProjectDescription, int, IProgressMonitor)}
+ * before changes made to this description take effect.
+ *
+ * @see #getDynamicReferences()
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @param projects list of projects
+ * @since 3.0
+ */
+ public void setDynamicReferences(IProject[] projects);
+
+ /**
+ * Sets the local file system location for the described project. The path must
+ * be either an absolute file system path, or a relative path whose first
+ * segment is the name of a defined workspace path variable. If
+ * null
is specified, the default location is used.
+ *
+ * Setting the location on a description for a project which already
+ * exists has no effect; the new project location is ignored when the
+ * description is set on the already existing project. This method is
+ * intended for use on descriptions for new projects or for destination
+ * projects for copy
and move
.
+ *
+ *
+ * This operation maps the root folder of the project to the exact location
+ * provided. For example, if the location for project named "P" is set
+ * to the path c:\my_plugins\Project1, the file resource at workspace path
+ * /P/index.html would be stored in the local file system at
+ * c:\my_plugins\Project1\index.html.
+ *
+ *
+ * @param location the location for the described project or null
+ * @see #getLocation()
+ */
+ public void setLocation(IPath location);
+
+ /**
+ * Sets the location for the described project.
+ * If null
is specified, the default location is used.
+ *
+ * Setting the location on a description for a project which already
+ * exists has no effect; the new project location is ignored when the
+ * description is set on the already existing project. This method is
+ * intended for use on descriptions for new projects or for destination
+ * projects for copy
and move
.
+ *
+ *
+ * This operation maps the root folder of the project to the exact location
+ * provided. For example, if the location for project named "P" is set
+ * to the URI file://c:/my_plugins/Project1, the file resource at workspace path
+ * /P/index.html would be stored in the local file system at
+ * file://c:/my_plugins/Project1/index.html.
+ *
+ *
+ * @param location the location for the described project or null
+ * @see #getLocationURI()
+ * @see IWorkspace#validateProjectLocationURI(IProject, URI)
+ * @since 3.2
+ */
+ public void setLocationURI(URI location);
+
+ /**
+ * Sets the name of the described project.
+ *
+ * Setting the name on a description and then setting the
+ * description on the project has no effect; the new name is ignored.
+ *
+ *
+ * Creating a new project with a description name which doesn't
+ * match the project handle name results in the description name
+ * being ignored; the project will be created using the name
+ * in the handle.
+ *
+ *
+ * @param projectName the name of the described project
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @see #getName()
+ */
+ public void setName(String projectName);
+
+ /**
+ * Sets the list of natures associated with the described project.
+ * A project created with this description will have these natures
+ * added to it in the given order.
+ *
+ * Users must call {@link IProject#setDescription(IProjectDescription, int, IProgressMonitor)}
+ * before changes made to this description take effect.
+ *
+ *
+ * @param natures the list of natures
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @see #getNatureIds()
+ */
+ public void setNatureIds(String[] natures);
+
+ /**
+ * Sets the referenced projects, ignoring any duplicates.
+ * The order of projects is preserved.
+ * The projects need not exist in the workspace.
+ *
+ * Users must call {@link IProject#setDescription(IProjectDescription, int, IProgressMonitor)}
+ * before changes made to this description take effect.
+ *
+ *
+ * @param projects a list of projects
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @see #getReferencedProjects()
+ */
+ public void setReferencedProjects(IProject[] projects);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectNature.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectNature.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,81 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * Interface for project nature runtime classes.
+ * It can configure a project with the project nature, or de-configure it.
+ * When a project is configured with a project nature, this is
+ * recorded in the list of project natures on the project.
+ * Individual project natures may expose a more specific runtime type,
+ * with additional API for manipulating the project in a
+ * nature-specific way.
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @see IProject#getNature(String)
+ * @see IProject#hasNature(String)
+ * @see IProjectDescription#getNatureIds()
+ * @see IProjectDescription#hasNature(String)
+ * @see IProjectDescription#setNatureIds(String[])
+ */
+public interface IProjectNature {
+ /**
+ * Configures this nature for its project. This is called by the workspace
+ * when natures are added to the project using IProject.setDescription
+ * and should not be called directly by clients. The nature extension
+ * id is added to the list of natures before this method is called,
+ * and need not be added here.
+ *
+ * Exceptions thrown by this method will be propagated back to the caller
+ * of IProject.setDescription
, but the nature will remain in
+ * the project description.
+ *
+ * @exception CoreException if this method fails.
+ */
+ public void configure() throws CoreException;
+
+ /**
+ * De-configures this nature for its project. This is called by the workspace
+ * when natures are removed from the project using
+ * IProject.setDescription
and should not be called directly by
+ * clients. The nature extension id is removed from the list of natures before
+ * this method is called, and need not be removed here.
+ *
+ * Exceptions thrown by this method will be propagated back to the caller
+ * of IProject.setDescription
, but the nature will still be
+ * removed from the project description.
+ * *
+ * @exception CoreException if this method fails.
+ */
+ public void deconfigure() throws CoreException;
+
+ /**
+ * Returns the project to which this project nature applies.
+ *
+ * @return the project handle
+ */
+ public IProject getProject();
+
+ /**
+ * Sets the project to which this nature applies.
+ * Used when instantiating this project nature runtime.
+ * This is called by IProject.create()
or
+ * IProject.setDescription()
+ * and should not be called directly by clients.
+ *
+ * @param project the project to which this nature applies
+ */
+ public void setProject(IProject project);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectNatureDescriptor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IProjectNatureDescriptor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,88 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+/**
+ * A project nature descriptor contains information about a project nature
+ * obtained from the plug-in manifest (plugin.xml
) file.
+ *
+ * Nature descriptors are platform-defined objects that exist
+ * independent of whether that nature's plug-in has been started.
+ * In contrast, a project nature's runtime object (IProjectNature
)
+ * generally runs plug-in-defined code.
+ *
+ *
+ * @see IProjectNature
+ * @see IWorkspace#getNatureDescriptor(String)
+ * @since 2.0
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IProjectNatureDescriptor {
+ /**
+ * Returns the unique identifier of this nature.
+ *
+ * The nature identifier is composed of the nature's plug-in id and the simple
+ * id of the nature extension. For example, if plug-in "com.xyz"
+ * defines a nature extension with id "myNature"
, the unique
+ * nature identifier will be "com.xyz.myNature"
.
+ *
+ * @return the unique nature identifier
+ */
+ public String getNatureId();
+
+ /**
+ * Returns a displayable label for this nature.
+ * Returns the empty string if no label for this nature
+ * is specified in the plug-in manifest file.
+ * Note that any translation specified in the plug-in manifest
+ * file is automatically applied.
+ *
+ *
+ * @return a displayable string label for this nature,
+ * possibly the empty string
+ */
+ public String getLabel();
+
+ /**
+ * Returns the unique identifiers of the natures required by this nature.
+ * Nature requirements are specified by the "requires-nature"
+ * element on a nature extension.
+ * Returns an empty array if no natures are required by this nature.
+ *
+ * @return an array of nature ids that this nature requires,
+ * possibly an empty array.
+ */
+ public String[] getRequiredNatureIds();
+
+ /**
+ * Returns the identifiers of the nature sets that this nature belongs to.
+ * Nature set inclusion is specified by the "one-of-nature"
+ * element on a nature extension.
+ * Returns an empty array if no nature sets are specified for this nature.
+ *
+ * @return an array of nature set ids that this nature belongs to,
+ * possibly an empty array.
+ */
+ public String[] getNatureSetIds();
+
+ /**
+ * Returns whether this project nature allows linked resources to be created
+ * in projects where this nature is installed.
+ *
+ * @return boolean true
if creating links is allowed,
+ * and false
otherwise.
+ * @see IFolder#createLink(org.eclipse.core.runtime.IPath, int, org.eclipse.core.runtime.IProgressMonitor)
+ * @see IFile#createLink(org.eclipse.core.runtime.IPath, int, org.eclipse.core.runtime.IProgressMonitor)
+ * @since 2.1
+ */
+ public boolean isLinkingAllowed();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResource.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResource.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,2595 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ * Red Hat Incorporated - get/setResourceAttribute code
+ * Oakland Software Incorporated - added getSessionProperties and getPersistentProperties
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.net.URI;
+import java.util.Map;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+
+/**
+ * The workspace analog of file system files
+ * and directories. There are exactly four types of resource:
+ * files, folders, projects and the workspace root.
+ *
+ * File resources are similar to files in that they
+ * hold data directly. Folder resources are analogous to directories in that they
+ * hold other resources but cannot directly hold data. Project resources
+ * group files and folders into reusable clusters. The workspace root is the
+ * top level resource under which all others reside.
+ *
+ *
+ * Features of resources:
+ *
+ * IResource
objects are handles to state maintained
+ * by a workspace. That is, resource objects do not actually contain data
+ * themselves but rather represent resource state and give it behavior. Programmers
+ * are free to manipulate handles for resources that do not exist in a workspace
+ * but must keep in mind that some methods and operations require that an actual
+ * resource be available.
+ * Resources have two different kinds of properties as detailed below. All
+ * properties are keyed by qualified names.
+ *
+ * Session properties: Session properties live for the lifetime of one execution of
+ * the workspace. They are not stored on disk. They can carry arbitrary
+ * object values. Clients should be aware that these values are kept in memory
+ * at all times and, as such, the values should not be large.
+ * Persistent properties: Persistent properties have string values which are stored
+ * on disk across platform sessions. The value of a persistent property is a
+ * string which should be short (i.e., under 2KB).
+ *
+ *
+ * Resources are identified by type and by their path , which is similar to a file system
+ * path. The name of a resource is the last segment of its path. A resource's parent
+ * is located by removing the last segment (the resource's name) from the resource's full path.
+ * Resources can be local or non-local. A non-local resource is one whose
+ * contents and properties have not been fetched from a repository.
+ * Phantom resources represent incoming additions or outgoing deletions
+ * which have yet to be reconciled with a synchronization partner.
+ *
+ *
+ *
+ * Resources implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see IWorkspace
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResource extends IAdaptable, ISchedulingRule {
+
+ /*====================================================================
+ * Constants defining resource types: There are four possible resource types
+ * and their type constants are in the integer range 1 to 8 as defined below.
+ *====================================================================*/
+
+ /**
+ * Type constant (bit mask value 1) which identifies file resources.
+ *
+ * @see IResource#getType()
+ * @see IFile
+ */
+ public static final int FILE = 0x1;
+
+ /**
+ * Type constant (bit mask value 2) which identifies folder resources.
+ *
+ * @see IResource#getType()
+ * @see IFolder
+ */
+ public static final int FOLDER = 0x2;
+
+ /**
+ * Type constant (bit mask value 4) which identifies project resources.
+ *
+ * @see IResource#getType()
+ * @see IProject
+ */
+ public static final int PROJECT = 0x4;
+
+ /**
+ * Type constant (bit mask value 8) which identifies the root resource.
+ *
+ * @see IResource#getType()
+ * @see IWorkspaceRoot
+ */
+ public static final int ROOT = 0x8;
+
+ /*====================================================================
+ * Constants defining the depth of resource tree traversal:
+ *====================================================================*/
+
+ /**
+ * Depth constant (value 0) indicating this resource, but not any of its members.
+ */
+ public static final int DEPTH_ZERO = 0;
+
+ /**
+ * Depth constant (value 1) indicating this resource and its direct members.
+ */
+ public static final int DEPTH_ONE = 1;
+
+ /**
+ * Depth constant (value 2) indicating this resource and its direct and
+ * indirect members at any depth.
+ */
+ public static final int DEPTH_INFINITE = 2;
+
+ /*====================================================================
+ * Constants for update flags for delete, move, copy, open, etc.:
+ *====================================================================*/
+
+ /**
+ * Update flag constant (bit mask value 1) indicating that the operation
+ * should proceed even if the resource is out of sync with the local file
+ * system.
+ *
+ * @since 2.0
+ */
+ public static final int FORCE = 0x1;
+
+ /**
+ * Update flag constant (bit mask value 2) indicating that the operation
+ * should maintain local history by taking snapshots of the contents of
+ * files just before being overwritten or deleted.
+ *
+ * @see IFile#getHistory(IProgressMonitor)
+ * @since 2.0
+ */
+ public static final int KEEP_HISTORY = 0x2;
+
+ /**
+ * Update flag constant (bit mask value 4) indicating that the operation
+ * should delete the files and folders of a project.
+ *
+ * Deleting a project that is open ordinarily deletes all its files and folders,
+ * whereas deleting a project that is closed retains its files and folders.
+ * Specifying ALWAYS_DELETE_PROJECT_CONTENT
indicates that the contents
+ * of a project are to be deleted regardless of whether the project is open or closed
+ * at the time; specifying NEVER_DELETE_PROJECT_CONTENT
indicates that
+ * the contents of a project are to be retained regardless of whether the project
+ * is open or closed at the time.
+ *
+ *
+ * @see #NEVER_DELETE_PROJECT_CONTENT
+ * @since 2.0
+ */
+ public static final int ALWAYS_DELETE_PROJECT_CONTENT = 0x4;
+
+ /**
+ * Update flag constant (bit mask value 8) indicating that the operation
+ * should preserve the files and folders of a project.
+ *
+ * Deleting a project that is open ordinarily deletes all its files and folders,
+ * whereas deleting a project that is closed retains its files and folders.
+ * Specifying ALWAYS_DELETE_PROJECT_CONTENT
indicates that the contents
+ * of a project are to be deleted regardless of whether the project is open or closed
+ * at the time; specifying NEVER_DELETE_PROJECT_CONTENT
indicates that
+ * the contents of a project are to be retained regardless of whether the project
+ * is open or closed at the time.
+ *
+ *
+ * @see #ALWAYS_DELETE_PROJECT_CONTENT
+ * @since 2.0
+ */
+ public static final int NEVER_DELETE_PROJECT_CONTENT = 0x8;
+
+ /**
+ * Update flag constant (bit mask value 16) indicating that the link creation
+ * should proceed even if the local file system file or directory is missing.
+ *
+ * @see IFolder#createLink(IPath, int, IProgressMonitor)
+ * @see IFile#createLink(IPath, int, IProgressMonitor)
+ * @since 2.1
+ */
+ public static final int ALLOW_MISSING_LOCAL = 0x10;
+
+ /**
+ * Update flag constant (bit mask value 32) indicating that a copy or move
+ * operation should only copy the link, rather than copy the underlying
+ * contents of the linked resource.
+ *
+ * @see #copy(IPath, int, IProgressMonitor)
+ * @see #move(IPath, int, IProgressMonitor)
+ * @since 2.1
+ */
+ public static final int SHALLOW = 0x20;
+
+ /**
+ * Update flag constant (bit mask value 64) indicating that setting the
+ * project description should not attempt to configure and de-configure
+ * natures.
+ *
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @since 3.0
+ */
+ public static final int AVOID_NATURE_CONFIG = 0x40;
+
+ /**
+ * Update flag constant (bit mask value 128) indicating that opening a
+ * project for the first time or creating a linked folder should refresh in the
+ * background.
+ *
+ * @see IProject#open(int, IProgressMonitor)
+ * @see IFolder#createLink(URI, int, IProgressMonitor)
+ * @since 3.1
+ */
+ public static final int BACKGROUND_REFRESH = 0x80;
+
+ /**
+ * Update flag constant (bit mask value 256) indicating that a
+ * resource should be replaced with a resource of the same name
+ * at a different file system location.
+ *
+ * @see IFile#createLink(URI, int, IProgressMonitor)
+ * @see IFolder#createLink(URI, int, IProgressMonitor)
+ * @see IResource#move(IProjectDescription, int, IProgressMonitor)
+ * @since 3.2
+ */
+ public static final int REPLACE = 0x100;
+
+ /**
+ * Update flag constant (bit mask value 512) indicating that ancestor
+ * resources of the target resource should be checked.
+ *
+ * @see IResource#isLinked(int)
+ * @since 3.2
+ */
+ public static final int CHECK_ANCESTORS = 0x200;
+
+ /**
+ * Update flag constant (bit mask value 0x400) indicating that a
+ * resource should be marked as derived.
+ *
+ * @see IFile#create(java.io.InputStream, int, IProgressMonitor)
+ * @see IFolder#create(int, boolean, IProgressMonitor)
+ * @see IResource#setDerived(boolean)
+ * @since 3.2
+ */
+ public static final int DERIVED = 0x400;
+
+ /**
+ * Update flag constant (bit mask value 0x800) indicating that a
+ * resource should be marked as team private.
+ *
+ * @see IFile#create(java.io.InputStream, int, IProgressMonitor)
+ * @see IFolder#create(int, boolean, IProgressMonitor)
+ * @see IResource#copy(IPath, int, IProgressMonitor)
+ * @see IResource#setTeamPrivateMember(boolean)
+ * @since 3.2
+ */
+ public static final int TEAM_PRIVATE = 0x800;
+
+ /**
+ * Update flag constant (bit mask value 0x1000) indicating that a
+ * resource should be marked as a hidden resource.
+ *
+ * @since 3.4
+ */
+ public static final int HIDDEN = 0x1000;
+
+ /*====================================================================
+ * Other constants:
+ *====================================================================*/
+
+ /**
+ * Modification stamp constant (value -1) indicating no modification stamp is
+ * available.
+ *
+ * @see #getModificationStamp()
+ */
+ public static final int NULL_STAMP = -1;
+
+ /**
+ * General purpose zero-valued bit mask constant. Useful whenever you need to
+ * supply a bit mask with no bits set.
+ *
+ * Example usage:
+ *
+ *
+ * delete(IResource.NONE, null)
+ *
+ *
+ *
+ *
+ * @since 2.0
+ */
+ public static final int NONE = 0;
+
+ /**
+ * Accepts the given visitor for an optimized traversal.
+ * The visitor's visit
method is called, and is provided with a
+ * proxy to this resource. The proxy is a transient object that can be queried
+ * very quickly for information about the resource. If the actual resource
+ * handle is needed, it can be obtained from the proxy. Requesting the resource
+ * handle, or the full path of the resource, will degrade performance of the
+ * visit.
+ *
+ * The entire subtree under the given resource is traversed to infinite depth,
+ * unless the visitor ignores a subtree by returning false
from its
+ * visit
method.
+ *
+ * No guarantees are made about the behavior of this method if resources
+ * are deleted or added during the traversal of this resource hierarchy. If
+ * resources are deleted during the traversal, they may still be passed to the
+ * visitor; if resources are created, they may not be passed to the visitor. If
+ * resources other than the one being visited are modified during the traversal,
+ * the resource proxy may contain stale information when that resource is
+ * visited.
+ *
+
+ * If the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified in the member
+ * flags (recommended), only member resources that exist will be visited.
+ * If the {@link IContainer#INCLUDE_PHANTOMS} flag is specified, the visit will
+ * also include any phantom member resource that the workspace is keeping track of.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS} flag is not specified
+ * (recommended), team private members will not be visited. If the
+ * {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS} flag is specified in the member
+ * flags, team private member resources are visited as well.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_HIDDEN} flag is not specified (recommended),
+ * hidden resources will not be visited. If the {@link IContainer#INCLUDE_HIDDEN} flag is specified
+ * in the member flags, hidden resources are visited as well.
+ *
+ *
+ * @param visitor the visitor
+ * @param memberFlags bit-wise or of member flag constants
+ * ({@link IContainer#INCLUDE_PHANTOMS}, {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS}
+ * and {@link IContainer#INCLUDE_HIDDEN}) indicating which members are of interest
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified and
+ * this resource does not exist.
+ * the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified and
+ * this resource is a project that is not open.
+ * The visitor failed with this exception.
+ *
+ * @see IContainer#INCLUDE_PHANTOMS
+ * @see IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS
+ * @see IContainer#INCLUDE_HIDDEN
+ * @see IResource#isPhantom()
+ * @see IResource#isTeamPrivateMember()
+ * @see IResourceProxyVisitor#visit(IResourceProxy)
+ * @since 2.1
+ */
+ public void accept(final IResourceProxyVisitor visitor, int memberFlags) throws CoreException;
+
+ /**
+ * Accepts the given visitor.
+ * The visitor's visit
method is called with this
+ * resource. If the visitor returns true
, this method
+ * visits this resource's members.
+ *
+ * This is a convenience method, fully equivalent to
+ * accept(visitor, IResource.DEPTH_INFINITE, IResource.NONE)
.
+ *
+ *
+ * @param visitor the visitor
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * The visitor failed with this exception.
+ *
+ * @see IResourceVisitor#visit(IResource)
+ * @see #accept(IResourceVisitor,int,int)
+ */
+ public void accept(IResourceVisitor visitor) throws CoreException;
+
+ /**
+ * Accepts the given visitor.
+ * The visitor's visit
method is called with this
+ * resource. If the visitor returns false
,
+ * this resource's members are not visited.
+ *
+ * The subtree under the given resource is traversed to the supplied depth.
+ *
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * accept(visitor, depth, includePhantoms ? IContainer.INCLUDE_PHANTOMS : IResource.NONE);
+ *
+ *
+ *
+ * @param visitor the visitor
+ * @param depth the depth to which members of this resource should be
+ * visited. One of {@link IResource#DEPTH_ZERO}, {@link IResource#DEPTH_ONE},
+ * or {@link IResource#DEPTH_INFINITE}.
+ * @param includePhantoms true
if phantom resources are
+ * of interest; false
if phantom resources are not of
+ * interest.
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * includePhantoms
is false
and
+ * this resource does not exist.
+ * includePhantoms
is true
and
+ * this resource does not exist and is not a phantom.
+ * The visitor failed with this exception.
+ *
+ * @see IResource#isPhantom()
+ * @see IResourceVisitor#visit(IResource)
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @see IResource#accept(IResourceVisitor,int,int)
+ */
+ public void accept(IResourceVisitor visitor, int depth, boolean includePhantoms) throws CoreException;
+
+ /**
+ * Accepts the given visitor.
+ * The visitor's visit
method is called with this
+ * resource. If the visitor returns false
,
+ * this resource's members are not visited.
+ *
+ * The subtree under the given resource is traversed to the supplied depth.
+ *
+ *
+ * No guarantees are made about the behavior of this method if resources are
+ * deleted or added during the traversal of this resource hierarchy. If
+ * resources are deleted during the traversal, they may still be passed to the
+ * visitor; if resources are created, they may not be passed to the visitor.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified in the member
+ * flags (recommended), only member resources that exists are visited.
+ * If the {@link IContainer#INCLUDE_PHANTOMS} flag is specified, the visit also
+ * includes any phantom member resource that the workspace is keeping track of.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS} flag is not specified
+ * (recommended), team private members are not visited. If the
+ * {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS} flag is specified in the member
+ * flags, team private member resources are visited as well.
+ *
+ *
+ * If the {@link IContainer#EXCLUDE_DERIVED} flag is not specified
+ * (recommended), derived resources are visited. If the
+ * {@link IContainer#EXCLUDE_DERIVED} flag is specified in the member
+ * flags, derived resources are not visited.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_HIDDEN} flag is not specified (recommended),
+ * hidden resources will not be visited. If the {@link IContainer#INCLUDE_HIDDEN} flag is specified
+ * in the member flags, hidden resources are visited as well.
+ *
+ *
+ * @param visitor the visitor
+ * @param depth the depth to which members of this resource should be
+ * visited. One of {@link IResource#DEPTH_ZERO}, {@link IResource#DEPTH_ONE},
+ * or {@link IResource#DEPTH_INFINITE}.
+ * @param memberFlags bit-wise or of member flag constants
+ * ({@link IContainer#INCLUDE_PHANTOMS}, {@link IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS},
+ * {@link IContainer#INCLUDE_HIDDEN} and {@link IContainer#EXCLUDE_DERIVED}) indicating which members are of interest
+ * @exception CoreException if this request fails. Reasons include:
+ *
+ * the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified and
+ * this resource does not exist.
+ * the {@link IContainer#INCLUDE_PHANTOMS} flag is not specified and
+ * this resource is a project that is not open.
+ * The visitor failed with this exception.
+ *
+ * @see IContainer#INCLUDE_PHANTOMS
+ * @see IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS
+ * @see IContainer#INCLUDE_HIDDEN
+ * @see IContainer#EXCLUDE_DERIVED
+ * @see IResource#isDerived()
+ * @see IResource#isPhantom()
+ * @see IResource#isTeamPrivateMember()
+ * @see IResource#isHidden()
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @see IResourceVisitor#visit(IResource)
+ * @since 2.0
+ */
+ public void accept(IResourceVisitor visitor, int depth, int memberFlags) throws CoreException;
+
+ /**
+ * Removes the local history of this resource and its descendents.
+ *
+ * This operation is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ */
+ public void clearHistory(IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Makes a copy of this resource at the given path.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * copy(destination, (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This operation changes resources; these changes will be reported
+ * in a subsequent resource change event that will include
+ * an indication that the resource copy has been added to its new parent.
+ *
+ *
+ * This operation is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be copied. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * The source or destination is the workspace root.
+ * The source is a project but the destination is not.
+ * The destination is a project but the source is not.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed project.
+ * A resource at destination path does exist.
+ * This resource or one of its descendents is out of sync with the local file
+ * system and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * The source resource is a file and the destination path specifies a project.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ */
+ public void copy(IPath destination, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Makes a copy of this resource at the given path. The resource's
+ * descendents are copied as well. The path of this resource must not be a
+ * prefix of the destination path. The workspace root may not be the source or
+ * destination location of a copy operation, and a project can only be copied to
+ * another project. After successful completion, corresponding new resources
+ * will exist at the given path; their contents and properties will be copies of
+ * the originals. The original resources are not affected.
+ *
+ * The supplied path may be absolute or relative. Absolute paths fully specify
+ * the new location for the resource, including its project. Relative paths are
+ * considered to be relative to the container of the resource being copied. A
+ * trailing separator is ignored.
+ *
+ *
+ * Calling this method with a one segment absolute destination path is
+ * equivalent to calling:
+ *
+ * copy(workspace.newProjectDescription(folder.getName()),updateFlags,monitor);
+ *
+ *
+ * When a resource is copied, its persistent properties are copied with it.
+ * Session properties and markers are not copied.
+ *
+ *
+ * The FORCE
update flag controls how this method deals with cases
+ * where the workspace is not completely in sync with the local file system. If
+ * FORCE
is not specified, the method will only attempt to copy
+ * resources that are in sync with the corresponding files and directories in
+ * the local file system; it will fail if it encounters a resource that is out
+ * of sync with the file system. However, if FORCE
is specified,
+ * the method copies all corresponding files and directories from the local file
+ * system, including ones that have been recently updated or created. Note that
+ * in both settings of the FORCE
flag, the operation fails if the
+ * newly created resources in the workspace would be out of sync with the local
+ * file system; this ensures files in the file system cannot be accidentally
+ * overwritten.
+ *
+ *
+ * The SHALLOW
update flag controls how this method deals with linked
+ * resources. If SHALLOW
is not specified, then the underlying
+ * contents of the linked resource will always be copied in the file system. In
+ * this case, the destination of the copy will never be a linked resource or
+ * contain any linked resources. If SHALLOW
is specified when a
+ * linked resource is copied into another project, a new linked resource is
+ * created in the destination project that points to the same file system
+ * location. When a project containing linked resources is copied, the new
+ * project will contain the same linked resources pointing to the same file
+ * system locations. For both of these shallow cases, no files on disk under
+ * the linked resource are actually copied. With the SHALLOW
flag,
+ * copying of linked resources into anything other than a project is not
+ * permitted. The SHALLOW
update flag is ignored when copying non-
+ * linked resources.
+ *
+ *
+ * The {@link #DERIVED} update flag indicates that the new resource
+ * should immediately be set as a derived resource. Specifying this flag
+ * is equivalent to atomically calling {@link #setDerived(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link #TEAM_PRIVATE} update flag indicates that the new resource
+ * should immediately be set as a team private resource. Specifying this flag
+ * is equivalent to atomically calling {@link #setTeamPrivateMember(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * The {@link #HIDDEN} update flag indicates that the new resource
+ * should immediately be set as a hidden resource. Specifying this flag
+ * is equivalent to atomically calling {@link #setHidden(boolean)}
+ * with a value of true
immediately after creating the resource.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This operation changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resource copy has been added to its new parent.
+ *
+ *
+ * An attempt will be made to copy the local history for this resource and its children,
+ * to the destination. Since local history existence is a safety-net mechanism, failure
+ * of this action will not result in automatic failure of the copy operation.
+ *
+ *
+ * This operation is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link #FORCE}, {@link #SHALLOW}, {@link #DERIVED}, {@link #TEAM_PRIVATE}, {@link #HIDDEN})
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be copied. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * The source or destination is the workspace root.
+ * The source is a project but the destination is not.
+ * The destination is a project but the source is not.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed project.
+ * The source is a linked resource, but the destination is not a project,
+ * and SHALLOW
is specified.
+ * A resource at destination path does exist.
+ * This resource or one of its descendants is out of sync with the local file
+ * system and FORCE
is not specified.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendants.
+ * The source resource is a file and the destination path specifies a project.
+ * The source is a linked resource, and the destination path does not
+ * specify a project.
+ * The location of the source resource on disk is the same or a prefix of
+ * the location of the destination resource on disk.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancellation can occur even if no progress monitor is provided.
+ * @see #FORCE
+ * @see #SHALLOW
+ * @see #DERIVED
+ * @see #TEAM_PRIVATE
+ * @see IResourceRuleFactory#copyRule(IResource, IResource)
+ * @since 2.0
+ */
+ public void copy(IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Makes a copy of this project using the given project description.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * copy(description, (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This operation changes resources; these changes will be reported
+ * in a subsequent resource change event that will include
+ * an indication that the resource copy has been added to its new parent.
+ *
+ *
+ * This operation is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the destination project description
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be copied. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * This resource is not a project.
+ * The project described by the given description already exists.
+ * This resource or one of its descendents is out of sync with the local file
+ * system and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ */
+ public void copy(IProjectDescription description, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Makes a copy of this project using the given project description.
+ * The project's descendents are copied as well. The description specifies the
+ * name, location and attributes of the new project. After successful
+ * completion, corresponding new resources will exist at the given path; their
+ * contents and properties will be copies of the originals. The original
+ * resources are not affected.
+ *
+ * When a resource is copied, its persistent properties are copied with it.
+ * Session properties and markers are not copied.
+ *
+ * The FORCE
update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local file
+ * system. If FORCE
is not specified, the method will only attempt
+ * to copy resources that are in sync with the corresponding files and
+ * directories in the local file system; it will fail if it encounters a
+ * resource that is out of sync with the file system. However, if
+ * FORCE
is specified, the method copies all corresponding files
+ * and directories from the local file system, including ones that have been
+ * recently updated or created. Note that in both settings of the
+ * FORCE
flag, the operation fails if the newly created resources
+ * in the workspace would be out of sync with the local file system; this
+ * ensures files in the file system cannot be accidentally overwritten.
+ *
+ *
+ * The SHALLOW
update flag controls how this method deals with
+ * linked resources. If SHALLOW
is not specified, then the
+ * underlying contents of any linked resources in the project will always be
+ * copied in the file system. In this case, the destination of the copy will
+ * never contain any linked resources. If SHALLOW
is specified
+ * when a project containing linked resources is copied, new linked resources
+ * are created in the destination project that point to the same file system
+ * locations. In this case, no files on disk under linked resources are
+ * actually copied. The SHALLOW
update flag is ignored when copying
+ * non- linked resources.
+ *
+ *
+ * Update flags other than FORCE
or SHALLOW
are ignored.
+ *
+ *
+ * An attempt will be made to copy the local history for this resource and its children,
+ * to the destination. Since local history existence is a safety-net mechanism, failure
+ * of this action will not result in automatic failure of the copy operation.
+ *
+ * This operation changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resource copy has been added to its new parent.
+ *
+ *
+ * This operation is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the destination project description
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
and SHALLOW
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be copied. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * This resource is not a project.
+ * The project described by the given description already exists.
+ * This resource or one of its descendents is out of sync with the local file
+ * system and FORCE
is not specified.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #FORCE
+ * @see #SHALLOW
+ * @see IResourceRuleFactory#copyRule(IResource, IResource)
+ * @since 2.0
+ */
+ public void copy(IProjectDescription description, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates and returns the marker with the specified type on this resource.
+ * Marker type ids are the id of an extension installed in the
+ * org.eclipse.core.resources.markers
extension
+ * point. The specified type string must not be null
.
+ *
+ * @param type the type of the marker to create
+ * @return the handle of the new marker
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public IMarker createMarker(String type) throws CoreException;
+
+ /**
+ * Creates a resource proxy representing the current state of this resource.
+ *
+ * Note that once a proxy has been created, it does not stay in sync
+ * with the corresponding resource. Changes to the resource after
+ * the proxy is created will not be reflected in the state of the proxy.
+ *
+ *
+ * @return A proxy representing this resource
+ * @since 3.2
+ */
+ public IResourceProxy createProxy();
+
+ /**
+ * Deletes this resource from the workspace.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * delete(force ? FORCE : IResource.NONE, monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be deleted for some reason.
+ * This resource or one of its descendents is out of sync with the local file system
+ * and force
is false
.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public void delete(boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes this resource from the workspace.
+ * Deletion applies recursively to all members of this resource in a "best-
+ * effort" fashion. That is, all resources which can be deleted are deleted.
+ * Resources which could not be deleted are noted in a thrown exception. The
+ * method does not fail if resources do not exist; it fails only if resources
+ * could not be deleted.
+ *
+ * Deleting a non-linked resource also deletes its contents from the local file
+ * system. In the case of a file or folder resource, the corresponding file or
+ * directory in the local file system is deleted. Deleting an open project
+ * recursively deletes its members; deleting a closed project just gets rid of
+ * the project itself (closed projects have no members); files in the project's
+ * local content area are retained; referenced projects are unaffected.
+ *
+ *
+ * Deleting a linked resource does not delete its contents from the file system,
+ * it just removes that resource and its children from the workspace. Deleting
+ * children of linked resources does remove the contents from the file system.
+ *
+ *
+ * Deleting a resource also deletes its session and persistent properties and
+ * markers.
+ *
+ *
+ * Deleting a non-project resource which has sync information converts the
+ * resource to a phantom and retains the sync information for future use.
+ *
+ *
+ * Deleting the workspace root resource recursively deletes all projects,
+ * and removes all markers, properties, sync info and other data related to the
+ * workspace root; the root resource itself is not deleted, however.
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * The {@link #FORCE} update flag controls how this method deals with
+ * cases where the workspace is not completely in sync with the local
+ * file system. If {@link #FORCE} is not specified, the method will only
+ * attempt to delete files and directories in the local file system that
+ * correspond to, and are in sync with, resources in the workspace; it will fail
+ * if it encounters a file or directory in the file system that is out of sync
+ * with the workspace. This option ensures there is no unintended data loss;
+ * it is the recommended setting. However, if {@link #FORCE} is specified,
+ * the method will ruthlessly attempt to delete corresponding files and
+ * directories in the local file system, including ones that have been recently
+ * updated or created.
+ *
+ *
+ * The {@link #KEEP_HISTORY} update flag controls whether or not files that
+ * are about to be deleted from the local file system have their current
+ * contents saved in the workspace's local history. The local history mechanism
+ * serves as a safety net to help the user recover from mistakes that might
+ * otherwise result in data loss. Specifying {@link #KEEP_HISTORY} is
+ * recommended except in circumstances where past states of the files are of no
+ * conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. Hence {@link #KEEP_HISTORY} is only really applicable
+ * when deleting files and folders, but not projects.
+ *
+ *
+ * The {@link #ALWAYS_DELETE_PROJECT_CONTENT} update flag controls how
+ * project deletions are handled. If {@link #ALWAYS_DELETE_PROJECT_CONTENT}
+ * is specified, then the files and folders in a project's local content area
+ * are deleted, regardless of whether the project is open or closed;
+ * {@link #FORCE} is assumed regardless of whether it is specified. If
+ * {@link #NEVER_DELETE_PROJECT_CONTENT} is specified, then the files and
+ * folders in a project's local content area are retained, regardless of whether
+ * the project is open or closed; the {@link #FORCE} flag is ignored. If
+ * neither of these flags is specified, files and folders in a project's local
+ * content area from open projects (subject to the {@link #FORCE} flag), but
+ * never from closed projects.
+ *
+ *
+ * @param updateFlags bit-wise or of update flag constants (
+ * {@link #FORCE}, {@link #KEEP_HISTORY},
+ * {@link #ALWAYS_DELETE_PROJECT_CONTENT},
+ * and {@link #NEVER_DELETE_PROJECT_CONTENT})
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource could not be deleted for some reason.
+ * This resource or one of its descendents is out of sync with the local file system
+ * and {@link #FORCE} is not specified.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IFile#delete(boolean, boolean, IProgressMonitor)
+ * @see IFolder#delete(boolean, boolean, IProgressMonitor)
+ * @see #FORCE
+ * @see #KEEP_HISTORY
+ * @see #ALWAYS_DELETE_PROJECT_CONTENT
+ * @see #NEVER_DELETE_PROJECT_CONTENT
+ * @see IResourceRuleFactory#deleteRule(IResource)
+ * @since 2.0
+ */
+ public void delete(int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes all markers on this resource of the given type, and,
+ * optionally, deletes such markers from its children. If includeSubtypes
+ * is false
, only markers whose type exactly matches
+ * the given type are deleted.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * @param type the type of marker to consider, or null
to indicate all types
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @param depth how far to recurse (see IResource.DEPTH_*
)
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void deleteMarkers(String type, boolean includeSubtypes, int depth) throws CoreException;
+
+ /**
+ * Compares two objects for equality;
+ * for resources, equality is defined in terms of their handles:
+ * same resource type, equal full paths, and identical workspaces.
+ * Resources are not equal to objects other than resources.
+ *
+ * @param other the other object
+ * @return an indication of whether the objects are equals
+ * @see #getType()
+ * @see #getFullPath()
+ * @see #getWorkspace()
+ */
+ public boolean equals(Object other);
+
+ /**
+ * Returns whether this resource exists in the workspace.
+ *
+ * IResource
objects are lightweight handle objects
+ * used to access resources in the workspace. However, having a
+ * handle object does not necessarily mean the workspace really
+ * has such a resource. When the workspace does have a genuine
+ * resource of a matching type, the resource is said to
+ * exist , and this method returns true
;
+ * in all other cases, this method returns false
.
+ * In particular, it returns false
if the workspace
+ * has no resource at that path, or if it has a resource at that
+ * path with a type different from the type of this resource handle.
+ *
+ *
+ * Note that no resources ever exist under a project
+ * that is closed; opening a project may bring some
+ * resources into existence.
+ *
+ *
+ * The name and path of a resource handle may be invalid.
+ * However, validation checks are done automatically as a
+ * resource is created; this means that any resource that exists
+ * can be safely assumed to have a valid name and path.
+ *
+ *
+ * @return true
if the resource exists, otherwise
+ * false
+ */
+ public boolean exists();
+
+ /**
+ * Returns the marker with the specified id on this resource,
+ * Returns null
if there is no matching marker.
+ *
+ * @param id the id of the marker to find
+ * @return a marker or null
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ *
+ */
+ public IMarker findMarker(long id) throws CoreException;
+
+ /**
+ * Returns all markers of the specified type on this resource,
+ * and, optionally, on its children. If includeSubtypes
+ * is false
, only markers whose type exactly matches
+ * the given type are returned. Returns an empty array if there
+ * are no matching markers.
+ *
+ * @param type the type of marker to consider, or null
to indicate all types
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @param depth how far to recurse (see IResource.DEPTH_*
)
+ * @return an array of markers
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ *
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ */
+ public IMarker[] findMarkers(String type, boolean includeSubtypes, int depth) throws CoreException;
+
+ /**
+ * Returns the maximum value of the {@link IMarker#SEVERITY} attribute across markers
+ * of the specified type on this resource, and, optionally, on its children.
+ * If includeSubtypes
is false
, only markers whose type
+ * exactly matches the given type are considered.
+ * Returns -1
if there are no matching markers.
+ * Returns {@link IMarker#SEVERITY_ERROR} if any of the markers has a severity
+ * greater than or equal to {@link IMarker#SEVERITY_ERROR}.
+ *
+ * @param type the type of marker to consider (normally {@link IMarker#PROBLEM}
+ * or one of its subtypes), or null
to indicate all types
+ *
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @param depth how far to recurse (see IResource.DEPTH_*
)
+ * @return {@link IMarker#SEVERITY_INFO}, {@link IMarker#SEVERITY_WARNING}, {@link IMarker#SEVERITY_ERROR}, or -1
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is a project that is not open.
+ *
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @since 3.3
+ */
+ public int findMaxProblemSeverity(String type, boolean includeSubtypes, int depth) throws CoreException;
+
+ /**
+ * Returns the file extension portion of this resource's name,
+ * or null
if it does not have one.
+ *
+ * The file extension portion is defined as the string
+ * following the last period (".") character in the name.
+ * If there is no period in the name, the path has no
+ * file extension portion. If the name ends in a period,
+ * the file extension portion is the empty string.
+ *
+ *
+ * This is a resource handle operation; the resource need
+ * not exist.
+ *
+ *
+ * @return a string file extension
+ * @see #getName()
+ */
+ public String getFileExtension();
+
+ /**
+ * Returns the full, absolute path of this resource relative to the
+ * workspace.
+ *
+ * This is a resource handle operation; the resource need
+ * not exist.
+ * If this resource does exist, its path can be safely assumed to be valid.
+ *
+ *
+ * A resource's full path indicates the route from the root of the workspace
+ * to the resource. Within a workspace, there is exactly one such path
+ * for any given resource. The first segment of these paths name a project;
+ * remaining segments, folders and/or files within that project.
+ * The returned path never has a trailing separator. The path of the
+ * workspace root is Path.ROOT
.
+ *
+ *
+ * Since absolute paths contain the name of the project, they are
+ * vulnerable when the project is renamed. For most situations,
+ * project-relative paths are recommended over absolute paths.
+ *
+ *
+ * @return the absolute path of this resource
+ * @see #getProjectRelativePath()
+ * @see Path#ROOT
+ */
+ public IPath getFullPath();
+
+ /**
+ * Returns a cached value of the local time stamp on disk for this resource, or
+ * NULL_STAMP
if the resource does not exist or is not local or is
+ * not accessible. The return value is represented as the number of milliseconds
+ * since the epoch (00:00:00 GMT, January 1, 1970).
+ * The returned value may not be the same as the actual time stamp
+ * on disk if the file has been modified externally since the last local refresh.
+ *
+ * Note that due to varying file system timing granularities, this value is not guaranteed
+ * to change every time the file is modified. For a more reliable indication of whether
+ * the file has changed, use getModificationStamp
.
+ *
+ * @return a local file system time stamp, or NULL_STAMP
.
+ * @since 3.0
+ */
+ public long getLocalTimeStamp();
+
+ /**
+ * Returns the absolute path in the local file system to this resource,
+ * or null
if no path can be determined.
+ *
+ * If this resource is the workspace root, this method returns
+ * the absolute local file system path of the platform working area.
+ *
+ * If this resource is a project that exists in the workspace, this method
+ * returns the path to the project's local content area. This is true regardless
+ * of whether the project is open or closed. This value will be null in the case
+ * where the location is relative to an undefined workspace path variable.
+ *
+ * If this resource is a linked resource under a project that is open, this
+ * method returns the resolved path to the linked resource's local contents.
+ * This value will be null in the case where the location is relative to an
+ * undefined workspace path variable.
+ *
+ * If this resource is a file or folder under a project that exists, or a
+ * linked resource under a closed project, this method returns a (non-
+ * null
) path computed from the location of the project's local
+ * content area and the project- relative path of the file or folder. This is
+ * true regardless of whether the file or folders exists, or whether the project
+ * is open or closed. In the case of linked resources, the location of a linked resource
+ * within a closed project is too computed from the location of the
+ * project's local content area and the project-relative path of the resource. If the
+ * linked resource resides in an open project then its location is computed
+ * according to the link.
+ *
+ * If this resource is a project that does not exist in the workspace,
+ * or a file or folder below such a project, this method returns
+ * null
. This method also returns null
if called
+ * on a resource that is not stored in the local file system. For such resources
+ * {@link #getLocationURI()} should be used instead.
+ *
+ *
+ * @return the absolute path of this resource in the local file system,
+ * or null
if no path can be determined
+ * @see #getRawLocation()
+ * @see #getLocationURI()
+ * @see IProjectDescription#setLocation(IPath)
+ * @see Platform#getLocation()
+ */
+ public IPath getLocation();
+
+ /**
+ * Returns the absolute URI of this resource,
+ * or null
if no URI can be determined.
+ *
+ * If this resource is the workspace root, this method returns
+ * the absolute location of the platform working area.
+ *
+ * If this resource is a project that exists in the workspace, this method
+ * returns the URI to the project's local content area. This is true regardless
+ * of whether the project is open or closed. This value will be null in the case
+ * where the location is relative to an undefined workspace path variable.
+ *
+ * If this resource is a linked resource under a project that is open, this
+ * method returns the resolved URI to the linked resource's local contents.
+ * This value will be null in the case where the location is relative to an
+ * undefined workspace path variable.
+ *
+ * If this resource is a file or folder under a project that exists, or a
+ * linked resource under a closed project, this method returns a (non-
+ * null
) URI computed from the location of the project's local
+ * content area and the project- relative path of the file or folder. This is
+ * true regardless of whether the file or folders exists, or whether the project
+ * is open or closed. In the case of linked resources, the location of a linked resource
+ * within a closed project is computed from the location of the
+ * project's local content area and the project-relative path of the resource. If the
+ * linked resource resides in an open project then its location is computed
+ * according to the link.
+ *
+ * If this resource is a project that does not exist in the workspace,
+ * or a file or folder below such a project, this method returns
+ * null
.
+ *
+ *
+ * @return the absolute URI of this resource,
+ * or null
if no URI can be determined
+ * @see #getRawLocation()
+ * @see IProjectDescription#setLocation(IPath)
+ * @see Platform#getLocation()
+ * @see java.net.URI
+ * @since 3.2
+ */
+ public URI getLocationURI();
+
+ /**
+ * Returns a marker handle with the given id on this resource.
+ * This resource is not checked to see if it has such a marker.
+ * The returned marker need not exist.
+ * This resource need not exist.
+ *
+ * @param id the id of the marker
+ * @return the specified marker handle
+ * @see IMarker#getId()
+ */
+ public IMarker getMarker(long id);
+
+ /**
+ * Returns a non-negative modification stamp, or NULL_STAMP
if
+ * the resource does not exist or is not local or is not accessible.
+ *
+ * A resource's modification stamp gets updated each time a resource is modified.
+ * If a resource's modification stamp is the same, the resource has not changed.
+ * Conversely, if a resource's modification stamp is different, some aspect of it
+ * (other than properties) has been modified at least once (possibly several times).
+ * Resource modification stamps are preserved across project close/re-open,
+ * and across workspace shutdown/restart.
+ * The magnitude or sign of the numerical difference between two modification stamps
+ * is not significant.
+ *
+ *
+ * The following things affect a resource's modification stamp:
+ *
+ * creating a non-project resource (changes from NULL_STAMP
)
+ * changing the contents of a file
+ * touch
ing a resource
+ * setting the attributes of a project presented in a project description
+ * deleting a resource (changes to NULL_STAMP
)
+ * moving a resource (source changes to NULL_STAMP
,
+ destination changes from NULL_STAMP
)
+ * copying a resource (destination changes from NULL_STAMP
)
+ * making a resource local
+ * closing a project (changes to NULL_STAMP
)
+ * opening a project (changes from NULL_STAMP
)
+ * adding or removing a project nature (changes from NULL_STAMP
)
+ *
+ * The following things do not affect a resource's modification stamp:
+ *
+ * "reading" a resource
+ * adding or removing a member of a project or folder
+ * setting a session property
+ * setting a persistent property
+ * saving the workspace
+ * shutting down and re-opening a workspace
+ *
+ *
+ *
+ * @return the modification stamp, or NULL_STAMP
if this resource either does
+ * not exist or exists as a closed project
+ * @see IResource#NULL_STAMP
+ * @see #revertModificationStamp(long)
+ */
+ public long getModificationStamp();
+
+ /**
+ * Returns the name of this resource.
+ * The name of a resource is synonymous with the last segment
+ * of its full (or project-relative) path for all resources other than the
+ * workspace root. The workspace root's name is the empty string.
+ *
+ * This is a resource handle operation; the resource need
+ * not exist.
+ *
+ *
+ * If this resource exists, its name can be safely assumed to be valid.
+ *
+ *
+ * @return the name of the resource
+ * @see #getFullPath()
+ * @see #getProjectRelativePath()
+ */
+ public String getName();
+
+ /**
+ * Returns the resource which is the parent of this resource,
+ * or null
if it has no parent (that is, this
+ * resource is the workspace root).
+ *
+ * The full path of the parent resource is the same as this
+ * resource's full path with the last segment removed.
+ *
+ *
+ * This is a resource handle operation; neither the resource
+ * nor the resulting resource need exist.
+ *
+ *
+ * @return the parent resource of this resource,
+ * or null
if it has no parent
+ */
+ public IContainer getParent();
+
+ /**
+ * Returns a copy of the map of this resource's persistent properties.
+ * Returns an empty map if this resource has no persistent properties.
+ *
+ * @return the map containing the persistent properties where the key is
+ * the {@link QualifiedName} of the property and the value is the {@link String}
+ * value of the property.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ * @see #setPersistentProperty(QualifiedName, String)
+ * @since 3.4
+ */
+ public Map getPersistentProperties() throws CoreException;
+
+ /**
+ * Returns the value of the persistent property of this resource identified
+ * by the given key, or null
if this resource has no such property.
+ *
+ * @param key the qualified name of the property
+ * @return the string value of the property,
+ * or null
if this resource has no such property
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ * @see #setPersistentProperty(QualifiedName, String)
+ */
+ public String getPersistentProperty(QualifiedName key) throws CoreException;
+
+ /**
+ * Returns the project which contains this resource.
+ * Returns itself for projects and null
+ * for the workspace root.
+ *
+ * A resource's project is the one named by the first segment
+ * of its full path.
+ *
+ *
+ * This is a resource handle operation; neither the resource
+ * nor the resulting project need exist.
+ *
+ *
+ * @return the project handle
+ */
+ public IProject getProject();
+
+ /**
+ * Returns a relative path of this resource with respect to its project.
+ * Returns the empty path for projects and the workspace root.
+ *
+ * This is a resource handle operation; the resource need not exist.
+ * If this resource does exist, its path can be safely assumed to be valid.
+ *
+ *
+ * A resource's project-relative path indicates the route from the project
+ * to the resource. Within a project, there is exactly one such path
+ * for any given resource. The returned path never has a trailing slash.
+ *
+ *
+ * Project-relative paths are recommended over absolute paths, since
+ * the former are not affected if the project is renamed.
+ *
+ *
+ * @return the relative path of this resource with respect to its project
+ * @see #getFullPath()
+ * @see #getProject()
+ * @see Path#EMPTY
+ */
+ public IPath getProjectRelativePath();
+
+ /**
+ * Returns the file system location of this resource, or null
if no
+ * path can be determined. The returned path will either be an absolute file
+ * system path, or a relative path whose first segment is the name of a
+ * workspace path variable.
+ *
+ * If this resource is an existing project, the returned path will be equal to
+ * the location path in the project description. If this resource is a linked
+ * resource in an open project, the returned path will be equal to the location
+ * path supplied when the linked resource was created. In all other cases, this
+ * method returns the same value as {@link #getLocation()}.
+ *
+ *
+ * @return the raw path of this resource in the local file system, or
+ * null
if no path can be determined
+ * @see #getLocation()
+ * @see IFile#createLink(IPath, int, IProgressMonitor)
+ * @see IFolder#createLink(IPath, int, IProgressMonitor)
+ * @see IPathVariableManager
+ * @see IProjectDescription#getLocation()
+ * @since 2.1
+ */
+ public IPath getRawLocation();
+
+ /**
+ * Returns the file system location of this resource, or null
if no
+ * path can be determined. The returned path will either be an absolute URI,
+ * or a relative URI whose first path segment is the name of a workspace path variable.
+ *
+ * If this resource is an existing project, the returned path will be equal to
+ * the location path in the project description. If this resource is a linked
+ * resource in an open project, the returned path will be equal to the location
+ * path supplied when the linked resource was created. In all other cases, this
+ * method returns the same value as {@link #getLocationURI()}.
+ *
+ *
+ * @return the raw path of this resource in the file system, or
+ * null
if no path can be determined
+ * @see #getLocationURI()
+ * @see IFile#createLink(URI, int, IProgressMonitor)
+ * @see IFolder#createLink(URI, int, IProgressMonitor)
+ * @see IPathVariableManager
+ * @see IProjectDescription#getLocationURI()
+ * @since 3.2
+ */
+ public URI getRawLocationURI();
+
+ /**
+ * Gets this resource's extended attributes from the file system,
+ * or null
if the attributes could not be obtained.
+ *
+ * Reasons for a null
return value include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ *
+ * Attributes that are not supported by the underlying file system
+ * will have a value of false
.
+ *
+ * Sample usage:
+ *
+ *
+ * IResource resource;
+ * ...
+ * ResourceAttributes attributes = resource.getResourceAttributes();
+ * if (attributes != null) {
+ * attributes.setExecutable(true);
+ * resource.setResourceAttributes(attributes);
+ * }
+ *
+ *
+ *
+ * @return the extended attributes from the file system, or
+ * null
if they could not be obtained
+ * @see #setResourceAttributes(ResourceAttributes)
+ * @see ResourceAttributes
+ * @since 3.1
+ */
+ public ResourceAttributes getResourceAttributes();
+
+ /**
+ * Returns a copy of the map of this resource's session properties.
+ * Returns an empty map if this resource has no session properties.
+ *
+ * @return the map containing the session properties where the key is
+ * the {@link QualifiedName} of the property and the value is the property
+ * value (an {@link Object}.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ * @see #setSessionProperty(QualifiedName, Object)
+ * @since 3.4
+ */
+ public Map getSessionProperties() throws CoreException;
+
+ /**
+ * Returns the value of the session property of this resource identified
+ * by the given key, or null
if this resource has no such property.
+ *
+ * @param key the qualified name of the property
+ * @return the value of the session property,
+ * or null
if this resource has no such property
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ * @see #setSessionProperty(QualifiedName, Object)
+ */
+ public Object getSessionProperty(QualifiedName key) throws CoreException;
+
+ /**
+ * Returns the type of this resource.
+ * The returned value will be one of FILE
,
+ * FOLDER
, PROJECT
, ROOT
.
+ *
+ *
+ * All resources of type FILE
implement IFile
.
+ * All resources of type FOLDER
implement IFolder
.
+ * All resources of type PROJECT
implement IProject
.
+ * All resources of type ROOT
implement IWorkspaceRoot
.
+ *
+ *
+ *
+ * This is a resource handle operation; the resource need
+ * not exist in the workspace.
+ *
+ *
+ * @return the type of this resource
+ * @see #FILE
+ * @see #FOLDER
+ * @see #PROJECT
+ * @see #ROOT
+ */
+ public int getType();
+
+ /**
+ * Returns the workspace which manages this resource.
+ *
+ * This is a resource handle operation; the resource need
+ * not exist in the workspace.
+ *
+ *
+ * @return the workspace
+ */
+ public IWorkspace getWorkspace();
+
+ /**
+ * Returns whether this resource is accessible. For files and folders,
+ * this is equivalent to existing; for projects,
+ * this is equivalent to existing and being open. The workspace root
+ * is always accessible.
+ *
+ * @return true
if this resource is accessible, and
+ * false
otherwise
+ * @see #exists()
+ * @see IProject#isOpen()
+ */
+ public boolean isAccessible();
+
+ /**
+ * Returns whether this resource subtree is marked as derived. Returns
+ * false
if this resource does not exist.
+ *
+ *
+ * This is a convenience method,
+ * fully equivalent to isDerived(IResource.NONE)
.
+ *
+ *
+ * @return true
if this resource is marked as derived, and
+ * false
otherwise
+ * @see #setDerived(boolean)
+ * @since 2.0
+ */
+ public boolean isDerived();
+
+ /**
+ * Returns whether this resource subtree is marked as derived. Returns
+ * false
if this resource does not exist.
+ *
+ *
+ * The {@link #CHECK_ANCESTORS} option flag indicates whether this method
+ * should consider ancestor resources in its calculation. If the
+ * {@link #CHECK_ANCESTORS} flag is present, this method will return
+ * true
, if this resource, or any parent resource, is marked
+ * as derived. If the {@link #CHECK_ANCESTORS} option flag is not specified,
+ * this method returns false for children of derived resources.
+ *
+ *
+ * @param options bit-wise or of option flag constants
+ * (only {@link #CHECK_ANCESTORS} is applicable)
+ * @return true
if this resource subtree is derived, and
+ * false
otherwise
+ * @see IResource#setDerived(boolean)
+ * @since 3.4
+ */
+ public boolean isDerived(int options);
+
+ /**
+ * Returns whether this resource is hidden in the resource tree. Returns
+ * false
if this resource does not exist.
+ *
+ * This operation is not related to the file system hidden attribute accessible using
+ * {@link ResourceAttributes#isHidden()}.
+ *
+ *
+ * @return true
if this resource is hidden , and
+ * false
otherwise
+ * @see #setHidden(boolean)
+ * @since 3.4
+ */
+ public boolean isHidden();
+
+ /**
+ * Returns whether this resource is hidden in the resource tree. Returns
+ * false
if this resource does not exist.
+ *
+ * This operation is not related to the file system hidden attribute
+ * accessible using {@link ResourceAttributes#isHidden()}.
+ *
+ *
+ * The {@link #CHECK_ANCESTORS} option flag indicates whether this method
+ * should consider ancestor resources in its calculation. If the
+ * {@link #CHECK_ANCESTORS} flag is present, this method will return
+ * true
if this resource, or any parent resource, is a hidden
+ * resource. If the {@link #CHECK_ANCESTORS} option flag is not specified,
+ * this method returns false for children of hidden resources.
+ *
+ *
+ * @param options
+ * bit-wise or of option flag constants (only
+ * {@link #CHECK_ANCESTORS} is applicable)
+ * @return true
if this resource is hidden , and
+ * false
otherwise
+ * @see #setHidden(boolean)
+ * @since 3.5
+ */
+ public boolean isHidden(int options);
+
+ /**
+ * Returns whether this resource has been linked to
+ * a location other than the default location calculated by the platform.
+ *
+ * This is a convenience method, fully equivalent to
+ * isLinked(IResource.NONE)
.
+ *
+ *
+ * @return true
if this resource is linked, and
+ * false
otherwise
+ * @see IFile#createLink(IPath, int, IProgressMonitor)
+ * @see IFolder#createLink(IPath, int, IProgressMonitor)
+ * @since 2.1
+ */
+ public boolean isLinked();
+
+ /**
+ * Returns true
if this resource has been linked to
+ * a location other than the default location calculated by the platform. This
+ * location can be outside the project's content area or another location
+ * within the project. Returns false
in all other cases, including
+ * the case where this resource does not exist. The workspace root and
+ * projects are never linked.
+ *
+ * This method returns true only for a resource that has been linked using
+ * the createLink
method.
+ *
+ *
+ * The {@link #CHECK_ANCESTORS} option flag indicates whether this method
+ * should consider ancestor resources in its calculation. If the
+ * {@link #CHECK_ANCESTORS} flag is present, this method will return
+ * true
if this resource, or any parent resource, is a linked
+ * resource. If the {@link #CHECK_ANCESTORS} option flag is not specified,
+ * this method returns false for children of linked resources.
+ *
+ *
+ * @param options bit-wise or of option flag constants
+ * (only {@link #CHECK_ANCESTORS} is applicable)
+ * @return true
if this resource is linked, and
+ * false
otherwise
+ * @see IFile#createLink(IPath, int, IProgressMonitor)
+ * @see IFolder#createLink(IPath, int, IProgressMonitor)
+ * @since 3.2
+ */
+ public boolean isLinked(int options);
+
+ /**
+ * Returns whether this resource and its members (to the
+ * specified depth) are expected to have their contents (and properties)
+ * available locally. Returns false
in all other cases,
+ * including the case where this resource does not exist. The workspace
+ * root and projects are always local.
+ *
+ * When a resource is not local, its content and properties are
+ * unavailable for both reading and writing.
+ *
+ *
+ * @param depth valid values are DEPTH_ZERO
,
+ * DEPTH_ONE
, or DEPTH_INFINITE
+ * @return true
if this resource is local, and
+ * false
otherwise
+ *
+ * @see #setLocal(boolean, int, IProgressMonitor)
+ * @deprecated This API is no longer in use. Note that this API is unrelated
+ * to whether the resource is in the local file system versus some other file system.
+ */
+ public boolean isLocal(int depth);
+
+ /**
+ * Returns whether this resource is a phantom resource.
+ *
+ * The workspace uses phantom resources to remember outgoing deletions and
+ * incoming additions relative to an external synchronization partner. Phantoms
+ * appear and disappear automatically as a byproduct of synchronization.
+ * Since the workspace root cannot be synchronized in this way, it is never a phantom.
+ * Projects are also never phantoms.
+ *
+ *
+ * The key point is that phantom resources do not exist (in the technical
+ * sense of exists
, which returns false
+ * for phantoms) are therefore invisible except through a handful of
+ * phantom-enabled API methods (notably IContainer.members(boolean)
).
+ *
+ *
+ * @return true
if this resource is a phantom resource, and
+ * false
otherwise
+ * @see #exists()
+ * @see IContainer#members(boolean)
+ * @see IContainer#findMember(String, boolean)
+ * @see IContainer#findMember(IPath, boolean)
+ * @see ISynchronizer
+ */
+ public boolean isPhantom();
+
+ /**
+ * Returns whether this resource is marked as read-only in the file system.
+ *
+ * @return true
if this resource is read-only,
+ * false
otherwise
+ * @deprecated use IResource#getResourceAttributes()
+ */
+ public boolean isReadOnly();
+
+ /**
+ * Returns whether this resource and its descendents to the given depth
+ * are considered to be in sync with the local file system.
+ *
+ * A resource is considered to be in sync if all of the following
+ * conditions are true:
+ *
+ * The resource exists in both the workspace and the file system.
+ * The timestamp in the file system has not changed since the
+ * last synchronization.
+ * The resource in the workspace is of the same type as the corresponding
+ * file in the file system (they are either both files or both folders).
+ *
+ * A resource is also considered to be in sync if it is missing from both
+ * the workspace and the file system. In all other cases the resource is
+ * considered to be out of sync.
+ *
+ *
+ * This operation interrogates files and folders in the local file system;
+ * depending on the speed of the local file system and the requested depth,
+ * this operation may be time-consuming.
+ *
+ *
+ * @param depth the depth (one of IResource.DEPTH_ZERO
,
+ * DEPTH_ONE
, or DEPTH_INFINITE
)
+ * @return true
if this resource and its descendents to the
+ * specified depth are synchronized, and false
in all other
+ * cases
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @see #refreshLocal(int, IProgressMonitor)
+ * @since 2.0
+ */
+ public boolean isSynchronized(int depth);
+
+ /**
+ * Returns whether this resource is a team private member of its parent container.
+ * Returns false
if this resource does not exist.
+ *
+ * @return true
if this resource is a team private member, and
+ * false
otherwise
+ * @see #setTeamPrivateMember(boolean)
+ * @since 2.0
+ */
+ public boolean isTeamPrivateMember();
+
+ /**
+ * Returns whether this resource is a team private member of its parent
+ * container. Returns false
if this resource does not exist.
+ *
+ * The {@link #CHECK_ANCESTORS} option flag indicates whether this method
+ * should consider ancestor resources in its calculation. If the
+ * {@link #CHECK_ANCESTORS} flag is present, this method will return
+ * true
if this resource, or any parent resource, is a team
+ * private member. If the {@link #CHECK_ANCESTORS} option flag is not
+ * specified, this method returns false for children of team private
+ * members.
+ *
+ *
+ * @param options
+ * bit-wise or of option flag constants (only
+ * {@link #CHECK_ANCESTORS} is applicable)
+ * @return true
if this resource is a team private member, and
+ * false
otherwise
+ * @see #setTeamPrivateMember(boolean)
+ * @since 3.5
+ */
+ public boolean isTeamPrivateMember(int options);
+
+ /**
+ * Moves this resource so that it is located at the given path.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * move(destination, force ? FORCE : IResource.NONE, monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event that will include
+ * an indication that the resource has been removed from its parent
+ * and that a corresponding resource has been added to its new parent.
+ * Additional information provided with resource delta shows that these
+ * additions and removals are related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * The source or destination is the workspace root.
+ * The source is a project but the destination is not.
+ * The destination is a project but the source is not.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed
+ * project.
+ * A resource at destination path does exist.
+ * A resource of a different type exists at the destination path.
+ * This resource or one of its descendents is out of sync with the local file
+ * system and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The source resource is a file and the destination path specifies a project.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceDelta#getFlags()
+ */
+ public void move(IPath destination, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Moves this resource so that it is located at the given path.
+ * The path of the resource must not be a prefix of the destination path. The
+ * workspace root may not be the source or destination location of a move
+ * operation, and a project can only be moved to another project. After
+ * successful completion, the resource and any direct or indirect members will
+ * no longer exist; but corresponding new resources will now exist at the given
+ * path.
+ *
+ * The supplied path may be absolute or relative. Absolute paths fully specify
+ * the new location for the resource, including its project. Relative paths are
+ * considered to be relative to the container of the resource being moved. A
+ * trailing slash is ignored.
+ *
+ *
+ * Calling this method with a one segment absolute destination path is
+ * equivalent to calling:
+ *
+ IProjectDescription description = getDescription();
+ description.setName(path.lastSegment());
+ move(description, updateFlags, monitor);
+ *
+ *
+ * When a resource moves, its session and persistent properties move with
+ * it. Likewise for all other attributes of the resource including markers.
+ *
+ *
+ * The FORCE
update flag controls how this method deals with cases
+ * where the workspace is not completely in sync with the local file system. If
+ * FORCE
is not specified, the method will only attempt to move
+ * resources that are in sync with the corresponding files and directories in
+ * the local file system; it will fail if it encounters a resource that is out
+ * of sync with the file system. However, if FORCE
is specified,
+ * the method moves all corresponding files and directories from the local file
+ * system, including ones that have been recently updated or created. Note that
+ * in both settings of the FORCE
flag, the operation fails if the
+ * newly created resources in the workspace would be out of sync with the local
+ * file system; this ensures files in the file system cannot be accidentally
+ * overwritten.
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not
+ * file that are about to be deleted from the local file system have their
+ * current contents saved in the workspace's local history. The local history
+ * mechanism serves as a safety net to help the user recover from mistakes that
+ * might otherwise result in data loss. Specifying KEEP_HISTORY
+ * is recommended except in circumstances where past states of the files are of
+ * no conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. Hence KEEP_HISTORY
is only really applicable
+ * when moving files and folders, but not whole projects.
+ *
+ *
+ * If this resource is not a project, an attempt will be made to copy the local history
+ * for this resource and its children, to the destination. Since local history existence
+ * is a safety-net mechanism, failure of this action will not result in automatic failure
+ * of the move operation.
+ *
+ *
+ * The SHALLOW
update flag controls how this method deals with linked
+ * resources. If SHALLOW
is not specified, then the underlying
+ * contents of the linked resource will always be moved in the file system. In
+ * this case, the destination of the move will never be a linked resource or
+ * contain any linked resources. If SHALLOW
is specified when a
+ * linked resource is moved into another project, a new linked resource is
+ * created in the destination project that points to the same file system
+ * location. When a project containing linked resources is moved, the new
+ * project will contain the same linked resources pointing to the same file
+ * system locations. For either of these cases, no files on disk under the
+ * linked resource are actually moved. With the SHALLOW
flag,
+ * moving of linked resources into anything other than a project is not
+ * permitted. The SHALLOW
update flag is ignored when moving non-
+ * linked resources.
+ *
+ *
+ * Update flags other than FORCE
, KEEP_HISTORY
and
+ * SHALLOW
are ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported in a subsequent
+ * resource change event that will include an indication that the resource has
+ * been removed from its parent and that a corresponding resource has been added
+ * to its new parent. Additional information provided with resource delta shows
+ * that these additions and removals are related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param destination the destination path
+ * @param updateFlags bit-wise or of update flag constants
+ * (FORCE
, KEEP_HISTORY
and SHALLOW
)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * The source or destination is the workspace root.
+ * The source is a project but the destination is not.
+ * The destination is a project but the source is not.
+ * The resource corresponding to the parent destination path does not exist.
+ * The resource corresponding to the parent destination path is a closed
+ * project.
+ * The source is a linked resource, but the destination is not a project
+ * and SHALLOW
is specified.
+ * A resource at destination path does exist.
+ * A resource of a different type exists at the destination path.
+ * This resource or one of its descendents is out of sync with the local file system
+ * and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * The source resource is a file and the destination path specifies a project.
+ * The location of the source resource on disk is the same or a prefix of
+ * the location of the destination resource on disk.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceDelta#getFlags()
+ * @see #FORCE
+ * @see #KEEP_HISTORY
+ * @see #SHALLOW
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ * @since 2.0
+ */
+ public void move(IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Renames or relocates this project so that it is the project specified by the given project
+ * description.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * move(description, (keepHistory ? KEEP_HISTORY : IResource.NONE) | (force ? FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ * This operation changes resources; these changes will be reported
+ * in a subsequent resource change event that will include
+ * an indication that the resource has been removed from its parent
+ * and that a corresponding resource has been added to its new parent.
+ * Additional information provided with resource delta shows that these
+ * additions and removals are related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the destination project description
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param keepHistory a flag indicating whether or not to keep
+ * local history for files
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * This resource is not a project.
+ * The project at the destination already exists.
+ * This resource or one of its descendents is out of sync with the local file
+ * system and force
is false
.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceDelta#getFlags()
+ */
+ public void move(IProjectDescription description, boolean force, boolean keepHistory, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Renames or relocates this project so that it is the project specified by the
+ * given project description. The description specifies the name and location
+ * of the new project. After successful completion, the old project
+ * and any direct or indirect members will no longer exist; but corresponding
+ * new resources will now exist in the new project.
+ *
+ * When a resource moves, its session and persistent properties move with it.
+ * Likewise for all the other attributes of the resource including markers.
+ *
+ *
+ * When this project's location is the default location, then the directories
+ * and files on disk are moved to be in the location specified by the given
+ * description. If the given description specifies the default location for the
+ * project, the directories and files are moved to the default location. If the name
+ * in the given description is the same as this project's name and the location
+ * is different, then the project contents will be moved to the new location.
+ * In all other cases the directories and files on disk are left untouched.
+ * Parts of the supplied description other than the name and location are ignored.
+ *
+ *
+ * The FORCE
update flag controls how this method deals with cases
+ * where the workspace is not completely in sync with the local file system. If
+ * FORCE
is not specified, the method will only attempt to move
+ * resources that are in sync with the corresponding files and directories in
+ * the local file system; it will fail if it encounters a resource that is out
+ * of sync with the file system. However, if FORCE
is specified,
+ * the method moves all corresponding files and directories from the local file
+ * system, including ones that have been recently updated or created. Note that
+ * in both settings of the FORCE
flag, the operation fails if the
+ * newly created resources in the workspace would be out of sync with the local
+ * file system; this ensures files in the file system cannot be accidentally
+ * overwritten.
+ *
+ *
+ * The KEEP_HISTORY
update flag controls whether or not file that
+ * are about to be deleted from the local file system have their current
+ * contents saved in the workspace's local history. The local history mechanism
+ * serves as a safety net to help the user recover from mistakes that might
+ * otherwise result in data loss. Specifying KEEP_HISTORY
is
+ * recommended except in circumstances where past states of the files are of no
+ * conceivable interest to the user. Note that local history is maintained
+ * with each individual project, and gets discarded when a project is deleted
+ * from the workspace. Hence KEEP_HISTORY
is only really applicable
+ * when moving files and folders, but not whole projects.
+ *
+ *
+ * Local history information for this project and its children will not be moved to the
+ * destination.
+ *
+ *
+ * The SHALLOW
update flag controls how this method deals with linked
+ * resources. If SHALLOW
is not specified, then the underlying
+ * contents of any linked resource will always be moved in the file system. In
+ * this case, the destination of the move will not contain any linked resources.
+ * If SHALLOW
is specified when a project containing linked
+ * resources is moved, new linked resources are created in the destination
+ * project pointing to the same file system locations. In this case, no files
+ * on disk under any linked resource are actually moved. The
+ * SHALLOW
update flag is ignored when moving non- linked
+ * resources.
+ *
+ *
+ * The {@link #REPLACE} update flag controls how this method deals
+ * with a change of location. If the location changes and the {@link #REPLACE}
+ * flag is not specified, then the projects contents on disk are moved to the new
+ * location. If the location changes and the {@link #REPLACE}
+ * flag is specified, then the project is reoriented to correspond to the new
+ * location, but no contents are moved on disk. The contents already on
+ * disk at the new location become the project contents. If the new project
+ * location does not exist, it will be created.
+ *
+ *
+ * Update flags other than those listed above are ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported in a subsequent
+ * resource change event that will include an indication that the resource has
+ * been removed from its parent and that a corresponding resource has been added
+ * to its new parent. Additional information provided with resource delta shows
+ * that these additions and removals are related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param description the destination project description
+ * @param updateFlags bit-wise or of update flag constants
+ * ({@link #FORCE}, {@link #KEEP_HISTORY}, {@link #SHALLOW}
+ * and {@link #REPLACE}).
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this resource could not be moved. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource or one of its descendents is not local.
+ * This resource is not a project.
+ * The project at the destination already exists.
+ * This resource or one of its descendents is out of sync with the
+ * local file system and FORCE
is not specified.
+ * The workspace and the local file system are out of sync
+ * at the destination resource or one of its descendents.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ * The destination file system location is occupied. When moving a project
+ * in the file system, the destination directory must either not exist or be empty.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceDelta#getFlags()
+ * @see #FORCE
+ * @see #KEEP_HISTORY
+ * @see #SHALLOW
+ * @see #REPLACE
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ * @since 2.0
+ */
+ public void move(IProjectDescription description, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Refreshes the resource hierarchy from this resource and its
+ * children (to the specified depth) relative to the local file system.
+ * Creations, deletions, and changes detected in the local file system
+ * will be reflected in the workspace's resource tree.
+ * This resource need not exist or be local.
+ *
+ * This method may discover changes to resources; any such
+ * changes will be reported in a subsequent resource change event.
+ *
+ *
+ * If a new file or directory is discovered in the local file
+ * system at or below the location of this resource,
+ * any parent folders required to contain the new
+ * resource in the workspace will also be created automatically as required.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param depth valid values are DEPTH_ZERO
,
+ * DEPTH_ONE
, or DEPTH_INFINITE
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#DEPTH_ZERO
+ * @see IResource#DEPTH_ONE
+ * @see IResource#DEPTH_INFINITE
+ * @see IResourceRuleFactory#refreshRule(IResource)
+ */
+ public void refreshLocal(int depth, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Reverts this resource's modification stamp. This is intended to be used by
+ * a client that is rolling back or undoing a previous change to this resource.
+ *
+ * It is the caller's responsibility to ensure that the value of the reverted
+ * modification stamp matches this resource's modification stamp prior to the
+ * change that has been rolled back. More generally, the caller must ensure
+ * that the specification of modification stamps outlined in
+ * getModificationStamp
is honored; the modification stamp
+ * of two distinct resource states should be different if and only if one or more
+ * of the attributes listed in the specification as affecting the modification
+ * stamp have changed.
+ *
+ * Reverting the modification stamp will not be reported in a
+ * subsequent resource change event.
+ *
+ * Note that a resource's modification stamp is unrelated to the local
+ * time stamp for this resource on disk, if any. A resource's local time
+ * stamp is modified using the setLocalTimeStamp
method.
+ *
+ * @param value A non-negative modification stamp value
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is not accessible.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #getModificationStamp()
+ * @since 3.1
+ */
+ public void revertModificationStamp(long value) throws CoreException;
+
+ /**
+ * Sets whether this resource subtree is marked as derived.
+ *
+ * A derived resource is a regular file or folder that is
+ * created in the course of translating, compiling, copying, or otherwise
+ * processing other files. Derived resources are not original data, and can be
+ * recreated from other resources. It is commonplace to exclude derived
+ * resources from version and configuration management because they would
+ * otherwise clutter the team repository with version of these ever-changing
+ * files as each user regenerates them.
+ *
+ *
+ * If a resource or any of its ancestors is marked as derived, a team
+ * provider should assume that the resource is not under version and
+ * configuration management by default . That is, the resource
+ * should only be stored in a team repository if the user explicitly indicates
+ * that this resource is worth saving.
+ *
+ *
+ * Newly-created resources are not marked as derived; rather, the mark must be
+ * set explicitly using setDerived(true)
. Derived marks are maintained
+ * in the in-memory resource tree, and are discarded when the resources are deleted.
+ * Derived marks are saved to disk when a project is closed, or when the workspace
+ * is saved.
+ *
+ *
+ * Projects and the workspace root are never considered derived; attempts to
+ * mark them as derived are ignored.
+ *
+ *
+ * This operation does not result in a resource change event, and does not
+ * trigger autobuilds.
+ *
+ *
+ * @param isDerived true
if this resource is to be marked
+ * as derived, and false
otherwise
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #isDerived()
+ * @since 2.0
+ */
+ public void setDerived(boolean isDerived) throws CoreException;
+
+ /**
+ * Sets whether this resource and its members are hidden in the resource tree.
+ *
+ * Hidden resources are invisible to most clients. Newly-created resources
+ * are not hidden resources by default.
+ *
+ *
+ * The workspace root is never considered hidden resource;
+ * attempts to mark it as hidden are ignored.
+ *
+ *
+ * This operation does not result in a resource change event, and does not
+ * trigger autobuilds.
+ *
+ *
+ * This operation is not related to {@link ResourceAttributes#setHidden(boolean)}.
+ * Whether a resource is hidden in the resource tree is unrelated to whether the
+ * underlying file is hidden in the file system.
+ *
+ *
+ * @param isHidden true
if this resource is to be marked
+ * as hidden, and false
otherwise
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #isHidden()
+ * @since 3.4
+ */
+ public void setHidden(boolean isHidden) throws CoreException;
+
+ /**
+ * Set whether or not this resource and its members (to the
+ * specified depth) are expected to have their contents (and properties)
+ * available locally. The workspace root and projects are always local and
+ * attempting to set either to non-local (i.e., passing false
)
+ * has no affect on the resource.
+ *
+ * When a resource is not local, its content and properties are
+ * unavailable for both reading and writing.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param flag whether this resource should be considered local
+ * @param depth valid values are DEPTH_ZERO
,
+ * DEPTH_ONE
, or DEPTH_INFINITE
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #isLocal(int)
+ * @deprecated This API is no longer in use. Note that this API is unrelated
+ * to whether the resource is in the local file system versus some other file system.
+ */
+ public void setLocal(boolean flag, int depth, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the local time stamp on disk for this resource. The time must be represented
+ * as the number of milliseconds since the epoch (00:00:00 GMT, January 1, 1970).
+ * Returns the actual time stamp that was recorded.
+ * Due to varying file system timing granularities, the provided value may be rounded
+ * or otherwise truncated, so the actual recorded time stamp that is returned may
+ * not be the same as the supplied value.
+ *
+ * @param value a time stamp in milliseconds.
+ * @return a local file system time stamp.
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is not accessible.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @since 3.0
+ */
+ public long setLocalTimeStamp(long value) throws CoreException;
+
+ /**
+ * Sets the value of the persistent property of this resource identified
+ * by the given key. If the supplied value is null
,
+ * the persistent property is removed from this resource. The change
+ * is made immediately on disk.
+ *
+ * Persistent properties are intended to be used by plug-ins to store
+ * resource-specific information that should be persisted across platform sessions.
+ * The value of a persistent property is a string that must be short -
+ * 2KB or less in length. Unlike session properties, persistent properties are
+ * stored on disk and maintained across workspace shutdown and restart.
+ *
+ *
+ * The qualifier part of the property name must be the unique identifier
+ * of the declaring plug-in (e.g. "com.example.plugin"
).
+ *
+ *
+ * @param key the qualified name of the property
+ * @param value the string value of the property,
+ * or null
if the property is to be removed
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #getPersistentProperty(QualifiedName)
+ * @see #isLocal(int)
+ */
+ public void setPersistentProperty(QualifiedName key, String value) throws CoreException;
+
+ /**
+ * Sets or unsets this resource as read-only in the file system.
+ *
+ * @param readOnly true
to set it to read-only,
+ * false
to unset
+ * @deprecated use IResource#setResourceAttributes(ResourceAttributes)
+ */
+ public void setReadOnly(boolean readOnly);
+
+ /**
+ * Sets this resource with the given extended attributes. This sets the
+ * attributes in the file system. Only attributes that are supported by
+ * the underlying file system will be set.
+ *
+ * Sample usage:
+ *
+ *
+ * IResource resource;
+ * ...
+ * if (attributes != null) {
+ * attributes.setExecutable(true);
+ * resource.setResourceAttributes(attributes);
+ * }
+ *
+ *
+ *
+ * Note that a resource cannot be converted into a symbolic link by
+ * setting resource attributes with {@link ResourceAttributes#isSymbolicLink()}
+ * set to true.
+ *
+ *
+ * @param attributes the attributes to set
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ *
+ * @see #getResourceAttributes()
+ * @since 3.1
+ */
+ void setResourceAttributes(ResourceAttributes attributes) throws CoreException;
+
+ /**
+ * Sets the value of the session property of this resource identified
+ * by the given key. If the supplied value is null
,
+ * the session property is removed from this resource.
+ *
+ * Sessions properties are intended to be used as a caching mechanism
+ * by ISV plug-ins. They allow key-object associations to be stored with
+ * existing resources in the workspace. These key-value associations are
+ * maintained in memory (at all times), and the information is lost when a
+ * resource is deleted from the workspace, when the parent project
+ * is closed, or when the workspace is closed.
+ *
+ *
+ * The qualifier part of the property name must be the unique identifier
+ * of the declaring plug-in (e.g. "com.example.plugin"
).
+ *
+ *
+ * @param key the qualified name of the property
+ * @param value the value of the session property,
+ * or null
if the property is to be removed
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * This resource is a project that is not open.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #getSessionProperty(QualifiedName)
+ */
+ public void setSessionProperty(QualifiedName key, Object value) throws CoreException;
+
+ /**
+ * Sets whether this resource subtree is a team private member of its parent container.
+ *
+ * A team private member resource is a special file or folder created by a team
+ * provider to hold team-provider-specific information. Resources marked as team private
+ * members are invisible to most clients.
+ *
+ *
+ * Newly-created resources are not team private members by default; rather, the
+ * team provider must mark a resource explicitly using
+ * setTeamPrivateMember(true)
. Team private member marks are
+ * maintained in the in-memory resource tree, and are discarded when the
+ * resources are deleted. Team private member marks are saved to disk when a
+ * project is closed, or when the workspace is saved.
+ *
+ *
+ * Projects and the workspace root are never considered team private members;
+ * attempts to mark them as team private are ignored.
+ *
+ *
+ * This operation does not result in a resource change event, and does not
+ * trigger autobuilds.
+ *
+ *
+ * @param isTeamPrivate true
if this resource is to be marked
+ * as team private, and false
otherwise
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @see #isTeamPrivateMember()
+ * @since 2.0
+ */
+ public void setTeamPrivateMember(boolean isTeamPrivate) throws CoreException;
+
+ /**
+ * Marks this resource as having changed even though its content
+ * may not have changed. This method can be used to trigger
+ * the rebuilding of resources/structures derived from this resource.
+ * Touching the workspace root has no effect.
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event. If the resource is a project,
+ * the change event will indicate a description change.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * This resource does not exist.
+ * This resource is not local.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResourceRuleFactory#modifyRule(IResource)
+ * @see IResourceDelta#CONTENT
+ * @see IResourceDelta#DESCRIPTION
+ */
+ public void touch(IProgressMonitor monitor) throws CoreException;
+
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceChangeEvent.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceChangeEvent.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,266 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * Resource change events describe changes to resources.
+ *
+ * There are currently five different types of resource change events:
+ *
+ *
+ * Before-the-fact batch reports of arbitrary creations,
+ * deletions and modifications to one or more resources expressed
+ * as a hierarchical resource delta. Event type is
+ * PRE_BUILD
, and getDelta
returns
+ * the hierarchical delta. The resource delta is rooted at the
+ * workspace root. The getBuildKind
method returns
+ * the kind of build that is about to occur, and the getSource
+ * method returns the scope of the build (either the workspace or a single project).
+ * These events are broadcast to interested parties immediately
+ * before each build operation. If autobuilding is not enabled, these events still
+ * occur at times when autobuild would have occurred. The workspace is open
+ * for change during notification of these events. The delta reported in this event
+ * cycle is identical across all listeners registered for this type of event.
+ * Resource changes attempted during a PRE_BUILD
callback
+ * must be done in the thread doing the notification.
+ *
+ *
+ * After-the-fact batch reports of arbitrary creations,
+ * deletions and modifications to one or more resources expressed
+ * as a hierarchical resource delta. Event type is
+ * POST_BUILD
, and getDelta
returns
+ * the hierarchical delta. The resource delta is rooted at the
+ * workspace root. The getBuildKind
method returns
+ * the kind of build that occurred, and the getSource
+ * method returns the scope of the build (either the workspace or a single project).
+ * These events are broadcast to interested parties at the end of every build operation.
+ * If autobuilding is not enabled, these events still occur at times when autobuild
+ * would have occurred. The workspace is open for change during notification of
+ * these events. The delta reported in this event cycle is identical across
+ * all listeners registered for this type of event.
+ * Resource changes attempted during a POST_BUILD
callback
+ * must be done in the thread doing the notification.
+ *
+ *
+ * After-the-fact batch reports of arbitrary creations,
+ * deletions and modifications to one or more resources expressed
+ * as a hierarchical resource delta. Event type is
+ * POST_CHANGE
, and getDelta
returns
+ * the hierarchical delta. The resource delta is rooted at the
+ * workspace root. These events are broadcast to interested parties after
+ * a set of resource changes and happen whether or not autobuilding is enabled.
+ * The workspace is closed for change during notification of these events.
+ * The delta reported in this event cycle is identical across all listeners registered for
+ * this type of event.
+ *
+ *
+ * Before-the-fact reports of the impending closure of a single
+ * project. Event type is PRE_CLOSE
,
+ * and getResource
returns the project being closed.
+ * The workspace is closed for change during notification of these events.
+ *
+ *
+ * Before-the-fact reports of the impending deletion of a single
+ * project. Event type is PRE_DELETE
,
+ * and getResource
returns the project being deleted.
+ * The workspace is closed for change during notification of these events.
+ *
+ *
+ * Before-the-fact reports of the impending refresh of a single project or the workspace.
+ * Event type is PRE_REFRESH
and the getSource
+ * method returns the scope of the refresh (either the workspace or a single project).
+ * If the event is fired by a project refresh the getResource
+ * method returns the project being refreshed.
+ * The workspace is closed for changes during notification of these events.
+ *
+ *
+ *
+ * In order to handle additional event types that may be introduced
+ * in future releases of the platform, clients should do not write code
+ * that presumes the set of event types is closed.
+ *
+ *
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceChangeEvent {
+ /**
+ * Event type constant (bit mask) indicating an after-the-fact
+ * report of creations, deletions, and modifications
+ * to one or more resources expressed as a hierarchical
+ * resource delta as returned by getDelta
.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getDelta()
+ */
+ public static final int POST_CHANGE = 1;
+
+ /**
+ * Event type constant (bit mask) indicating a before-the-fact
+ * report of the impending closure of a single
+ * project as returned by getResource
.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getResource()
+ */
+ public static final int PRE_CLOSE = 2;
+
+ /**
+ * Event type constant (bit mask) indicating a before-the-fact
+ * report of the impending deletion of a single
+ * project as returned by getResource
.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getResource()
+ */
+ public static final int PRE_DELETE = 4;
+
+ /**
+ * @deprecated This event type has been renamed to
+ * PRE_BUILD
+ */
+ public static final int PRE_AUTO_BUILD = 8;
+
+ /**
+ * Event type constant (bit mask) indicating an before-the-fact
+ * report of creations, deletions, and modifications
+ * to one or more resources expressed as a hierarchical
+ * resource delta as returned by getDelta
.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getResource()
+ * @since 3.0
+ */
+ public static final int PRE_BUILD = 8;
+
+ /**
+ * @deprecated This event type has been renamed to
+ * POST_BUILD
+ */
+ public static final int POST_AUTO_BUILD = 16;
+
+ /**
+ * Event type constant (bit mask) indicating an after-the-fact
+ * report of creations, deletions, and modifications
+ * to one or more resources expressed as a hierarchical
+ * resource delta as returned by getDelta
.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getResource()
+ * @since 3.0
+ */
+ public static final int POST_BUILD = 16;
+
+ /**
+ * Event type constant (bit mask) indicating a before-the-fact
+ * report of refreshing the workspace or a project.
+ * See class comments for further details.
+ *
+ * @see #getType()
+ * @see #getSource()
+ * @see #getResource()
+ * @since 3.4
+ */
+ public static final int PRE_REFRESH = 32;
+
+ /**
+ * Returns all marker deltas of the specified type that are associated
+ * with resource deltas for this event. If includeSubtypes
+ * is false
, only marker deltas whose type exactly matches
+ * the given type are returned. Returns an empty array if there
+ * are no matching marker deltas.
+ *
+ * Calling this method is equivalent to walking the entire resource
+ * delta for this event, and collecting all marker deltas of a given type.
+ * The speed of this method will be proportional to the number of changed
+ * markers, regardless of the size of the resource delta tree.
+ *
+ * @param type the type of marker to consider, or null
to indicate all types
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @return an array of marker deltas
+ * @since 2.0
+ */
+ public IMarkerDelta[] findMarkerDeltas(String type, boolean includeSubtypes);
+
+ /**
+ * Returns the kind of build that caused this event,
+ * or 0
if not applicable to this type of event.
+ *
+ * If the event is a PRE_BUILD
or POST_BUILD
+ * then this will be the kind of build that occurred to cause the event.
+ *
+ *
+ * @see IProject#build(int, IProgressMonitor)
+ * @see IWorkspace#build(int, IProgressMonitor)
+ * @see IncrementalProjectBuilder#AUTO_BUILD
+ * @see IncrementalProjectBuilder#FULL_BUILD
+ * @see IncrementalProjectBuilder#INCREMENTAL_BUILD
+ * @see IncrementalProjectBuilder#CLEAN_BUILD
+ * @return the kind of build, or 0
if not applicable
+ * @since 3.1
+ */
+ public int getBuildKind();
+
+ /**
+ * Returns a resource delta, rooted at the workspace, describing the set
+ * of changes that happened to resources in the workspace.
+ * Returns null
if not applicable to this type of event.
+ *
+ * @return the resource delta, or null
if not
+ * applicable
+ */
+ public IResourceDelta getDelta();
+
+ /**
+ * Returns the resource in question or null
+ * if not applicable to this type of event.
+ *
+ * If the event is of type PRE_CLOSE
,
+ * PRE_DELETE
, or PRE_REFRESH
, then the resource
+ * will be the affected project. Otherwise the resource will be null
.
+ *
+ * @return the resource, or null
if not applicable
+ */
+ public IResource getResource();
+
+ /**
+ * Returns an object identifying the source of this event.
+ *
+ * If the event is a PRE_BUILD
, POST_BUILD
,
+ * or PRE_REFRESH
then this will be the scope of the build
+ * (either the {@link IWorkspace} or a single {@link IProject}).
+ *
+ *
+ * @return an object identifying the source of this event
+ * @see java.util.EventObject
+ */
+ public Object getSource();
+
+ /**
+ * Returns the type of event being reported.
+ *
+ * @return one of the event type constants
+ * @see #POST_CHANGE
+ * @see #POST_BUILD
+ * @see #PRE_BUILD
+ * @see #PRE_CLOSE
+ * @see #PRE_DELETE
+ * @see #PRE_REFRESH
+ */
+ public int getType();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceChangeListener.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceChangeListener.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,47 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.EventListener;
+
+/**
+ * A resource change listener is notified of changes to resources
+ * in the workspace.
+ * These changes arise from direct manipulation of resources, or
+ * indirectly through re-synchronization with the local file system.
+ *
+ * Clients may implement this interface.
+ *
+ * @see IResourceDelta
+ * @see IWorkspace#addResourceChangeListener(IResourceChangeListener, int)
+ */
+public interface IResourceChangeListener extends EventListener {
+ /**
+ * Notifies this listener that some resource changes
+ * are happening, or have already happened.
+ *
+ * The supplied event gives details. This event object (and the
+ * resource delta within it) is valid only for the duration of
+ * the invocation of this method.
+ *
+ *
+ * Note: This method is called by the platform; it is not intended
+ * to be called directly by clients.
+ *
+ * Note that during resource change event notification, further changes
+ * to resources may be disallowed.
+ *
+ *
+ * @param event the resource change event
+ * @see IResourceDelta
+ */
+ public void resourceChanged(IResourceChangeEvent event);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceDelta.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceDelta.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,572 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.internal.watson.IElementComparator;
+import org.eclipse.core.resources.mapping.IResourceChangeDescriptionFactory;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A resource delta represents changes in the state of a resource tree
+ * between two discrete points in time.
+ *
+ * Resource deltas implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see IResource
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceDelta extends IAdaptable {
+
+ /*====================================================================
+ * Constants defining resource delta kinds:
+ *====================================================================*/
+
+ /**
+ * Delta kind constant indicating that the resource has not been changed in any way.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int NO_CHANGE = IElementComparator.K_NO_CHANGE;
+
+ /**
+ * Delta kind constant (bit mask) indicating that the resource has been added
+ * to its parent. That is, one that appears in the "after" state,
+ * not in the "before" one.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int ADDED = 0x1;
+
+ /**
+ * Delta kind constant (bit mask) indicating that the resource has been removed
+ * from its parent. That is, one that appears in the "before" state,
+ * not in the "after" one.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int REMOVED = 0x2;
+
+ /**
+ * Delta kind constant (bit mask) indicating that the resource has been changed.
+ * That is, one that appears in both the "before" and "after" states.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int CHANGED = 0x4;
+
+ /**
+ * Delta kind constant (bit mask) indicating that a phantom resource has been added at
+ * the location of the delta node.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int ADDED_PHANTOM = 0x8;
+
+ /**
+ * Delta kind constant (bit mask) indicating that a phantom resource has been removed from
+ * the location of the delta node.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int REMOVED_PHANTOM = 0x10;
+
+ /**
+ * The bit mask which describes all possible delta kinds,
+ * including ones involving phantoms.
+ *
+ * @see IResourceDelta#getKind()
+ */
+ public static final int ALL_WITH_PHANTOMS = CHANGED | ADDED | REMOVED | ADDED_PHANTOM | REMOVED_PHANTOM;
+
+ /*====================================================================
+ * Constants which describe resource changes:
+ *====================================================================*/
+
+ /**
+ * Change constant (bit mask) indicating that the content of the resource has changed.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int CONTENT = 0x100;
+
+ /**
+ * Change constant (bit mask) indicating that the resource was moved from another location.
+ * The location in the "before" state can be retrieved using getMovedFromPath()
.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int MOVED_FROM = 0x1000;
+
+ /**
+ * Change constant (bit mask) indicating that the resource was moved to another location.
+ * The location in the new state can be retrieved using getMovedToPath()
.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int MOVED_TO = 0x2000;
+
+ /**
+ * Change constant (bit mask) indicating that the resource was copied from another location.
+ * The location in the "before" state can be retrieved using getMovedFromPath()
.
+ * This flag is only used when describing potential changes using an {@link IResourceChangeDescriptionFactory}.
+ *
+ * @see IResourceDelta#getFlags()
+ * @since 3.2
+ */
+ public static final int COPIED_FROM = 0x800;
+ /**
+ * Change constant (bit mask) indicating that the resource was opened or closed.
+ * This flag is also set when the project did not exist in the "before" state.
+ * For example, if the current state of the resource is open then it was previously closed
+ * or did not exist.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int OPEN = 0x4000;
+
+ /**
+ * Change constant (bit mask) indicating that the type of the resource has changed.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int TYPE = 0x8000;
+
+ /**
+ * Change constant (bit mask) indicating that the resource's sync status has changed.
+ * This type of change is not included in build deltas, only in those for resource notification.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int SYNC = 0x10000;
+
+ /**
+ * Change constant (bit mask) indicating that the resource's markers have changed.
+ * This type of change is not included in build deltas, only in those for resource notification.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int MARKERS = 0x20000;
+
+ /**
+ * Change constant (bit mask) indicating that the resource has been
+ * replaced by another at the same location (i.e., the resource has
+ * been deleted and then added).
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int REPLACED = 0x40000;
+
+ /**
+ * Change constant (bit mask) indicating that a project's description has changed.
+ *
+ * @see IResourceDelta#getFlags()
+ */
+ public static final int DESCRIPTION = 0x80000;
+
+ /**
+ * Change constant (bit mask) indicating that the encoding of the resource has changed.
+ *
+ * @see IResourceDelta#getFlags()
+ * @since 3.0
+ */
+ public static final int ENCODING = 0x100000;
+
+ /**
+ * Change constant (bit mask) indicating that the underlying file or folder of the linked resource has been added or removed.
+ *
+ * @see IResourceDelta#getFlags()
+ * @since 3.4
+ */
+ public static final int LOCAL_CHANGED = 0x200000;
+
+ /**
+ * Accepts the given visitor.
+ * The only kinds of resource deltas visited
+ * are ADDED
, REMOVED
,
+ * and CHANGED
.
+ * The visitor's visit
method is called with this
+ * resource delta if applicable. If the visitor returns true
,
+ * the resource delta's children are also visited.
+ *
+ * This is a convenience method, fully equivalent to
+ * accept(visitor, IResource.NONE)
.
+ * Although the visitor will be invoked for this resource delta, it will not be
+ * invoked for any team-private member resources.
+ *
+ *
+ * @param visitor the visitor
+ * @exception CoreException if the visitor failed with this exception.
+ * @see IResourceDeltaVisitor#visit(IResourceDelta)
+ */
+ public void accept(IResourceDeltaVisitor visitor) throws CoreException;
+
+ /**
+ * Accepts the given visitor.
+ * The visitor's visit
method is called with this
+ * resource delta. If the visitor returns true
,
+ * the resource delta's children are also visited.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * accept(visitor, includePhantoms ? INCLUDE_PHANTOMS : IResource.NONE);
+ *
+ * Although the visitor will be invoked for this resource delta, it will not be
+ * invoked for any team-private member resources.
+ *
+ *
+ * @param visitor the visitor
+ * @param includePhantoms true
if phantom resources are
+ * of interest; false
if phantom resources are not of
+ * interest
+ * @exception CoreException if the visitor failed with this exception.
+ * @see #accept(IResourceDeltaVisitor)
+ * @see IResource#isPhantom()
+ * @see IResourceDeltaVisitor#visit(IResourceDelta)
+ */
+ public void accept(IResourceDeltaVisitor visitor, boolean includePhantoms) throws CoreException;
+
+ /**
+ * Accepts the given visitor.
+ * The visitor's visit
method is called with this
+ * resource delta. If the visitor returns true
,
+ * the resource delta's children are also visited.
+ *
+ * The member flags determine which child deltas of this resource delta will be visited.
+ * The visitor will always be invoked for this resource delta.
+ *
+ * If the INCLUDE_PHANTOMS
member flag is not specified
+ * (recommended), only child resource deltas involving existing resources will be visited
+ * (kinds ADDED
, REMOVED
, and CHANGED
).
+ * If the INCLUDE_PHANTOMS
member flag is specified,
+ * the result will also include additions and removes of phantom resources
+ * (kinds ADDED_PHANTOM
and REMOVED_PHANTOM
).
+ *
+ *
+ * If the INCLUDE_TEAM_PRIVATE_MEMBERS
member flag is not specified
+ * (recommended), resource deltas involving team private member resources will be
+ * excluded from the visit. If the INCLUDE_TEAM_PRIVATE_MEMBERS
member
+ * flag is specified, the visit will also include additions and removes of
+ * team private member resources.
+ *
+ *
+ * @param visitor the visitor
+ * @param memberFlags bit-wise or of member flag constants
+ * (IContainer.INCLUDE_PHANTOMS
, INCLUDE_HIDDEN
+ * and INCLUDE_TEAM_PRIVATE_MEMBERS
) indicating which members are of interest
+ * @exception CoreException if the visitor failed with this exception.
+ * @see IResource#isPhantom()
+ * @see IResource#isTeamPrivateMember()
+ * @see IResource#isHidden()
+ * @see IContainer#INCLUDE_PHANTOMS
+ * @see IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS
+ * @see IContainer#INCLUDE_HIDDEN
+ * @see IResourceDeltaVisitor#visit(IResourceDelta)
+ * @since 2.0
+ */
+ public void accept(IResourceDeltaVisitor visitor, int memberFlags) throws CoreException;
+
+ /**
+ * Finds and returns the descendent delta identified by the given path in
+ * this delta, or null
if no such descendent exists.
+ * The supplied path may be absolute or relative; in either case, it is
+ * interpreted as relative to this delta. Trailing separators are ignored.
+ * If the path is empty this delta is returned.
+ *
+ * This is a convenience method to avoid manual traversal of the delta
+ * tree in cases where the listener is only interested in changes to
+ * particular resources. Calling this method will generally be
+ * faster than manually traversing the delta to a particular descendent.
+ *
+ * @param path the path of the desired descendent delta
+ * @return the descendent delta, or null
if no such
+ * descendent exists in the delta
+ * @since 2.0
+ */
+ public IResourceDelta findMember(IPath path);
+
+ /**
+ * Returns resource deltas for all children of this resource
+ * which were added, removed, or changed. Returns an empty
+ * array if there are no affected children.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * getAffectedChildren(ADDED | REMOVED | CHANGED, IResource.NONE);
+ *
+ * Team-private member resources are not included in the result; neither are
+ * phantom resources.
+ *
+ *
+ * @return the resource deltas for all affected children
+ * @see IResourceDelta#ADDED
+ * @see IResourceDelta#REMOVED
+ * @see IResourceDelta#CHANGED
+ * @see #getAffectedChildren(int,int)
+ */
+ public IResourceDelta[] getAffectedChildren();
+
+ /**
+ * Returns resource deltas for all children of this resource
+ * whose kind is included in the given mask. Kind masks are formed
+ * by the bitwise or of IResourceDelta
kind constants.
+ * Returns an empty array if there are no affected children.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * getAffectedChildren(kindMask, IResource.NONE);
+ *
+ * Team-private member resources are not included in the result.
+ *
+ *
+ * @param kindMask a mask formed by the bitwise or of IResourceDelta
+ * delta kind constants
+ * @return the resource deltas for all affected children
+ * @see IResourceDelta#ADDED
+ * @see IResourceDelta#REMOVED
+ * @see IResourceDelta#CHANGED
+ * @see IResourceDelta#ADDED_PHANTOM
+ * @see IResourceDelta#REMOVED_PHANTOM
+ * @see IResourceDelta#ALL_WITH_PHANTOMS
+ * @see #getAffectedChildren(int,int)
+ */
+ public IResourceDelta[] getAffectedChildren(int kindMask);
+
+ /**
+ * Returns resource deltas for all children of this resource
+ * whose kind is included in the given mask. Masks are formed
+ * by the bitwise or of IResourceDelta
kind constants.
+ * Returns an empty array if there are no affected children.
+ *
+ * If the INCLUDE_TEAM_PRIVATE_MEMBERS
member flag is not specified,
+ * (recommended), resource deltas involving team private member resources will be
+ * excluded. If the INCLUDE_TEAM_PRIVATE_MEMBERS
member
+ * flag is specified, the result will also include resource deltas of the
+ * specified kinds to team private member resources.
+ *
+ *
+ * If the {@link IContainer#INCLUDE_HIDDEN} member flag is not specified,
+ * (recommended), resource deltas involving hidden resources will be
+ * excluded. If the {@link IContainer#INCLUDE_HIDDEN} member
+ * flag is specified, the result will also include resource deltas of the
+ * specified kinds to hidden resources.
+ *
+ *
+ * Specifying the IContainer.INCLUDE_PHANTOMS
member flag is equivalent
+ * to including IContainer.ADDED_PHANTOM
and IContainer.REMOVED_PHANTOM
+ * in the kind mask.
+ *
+ *
+ * @param kindMask a mask formed by the bitwise or of IResourceDelta
+ * delta kind constants
+ * @param memberFlags bit-wise or of member flag constants
+ * (IContainer.INCLUDE_PHANTOMS
, IContainer.INCLUDE_TEAM_PRIVATE_MEMBERS
+ * and IContainer.INCLUDE_HIDDEN
)
+ * indicating which members are of interest
+ * @return the resource deltas for all affected children
+ * @see IResourceDelta#ADDED
+ * @see IResourceDelta#REMOVED
+ * @see IResourceDelta#CHANGED
+ * @see IResourceDelta#ADDED_PHANTOM
+ * @see IResourceDelta#REMOVED_PHANTOM
+ * @see IResourceDelta#ALL_WITH_PHANTOMS
+ * @see IContainer#INCLUDE_PHANTOMS
+ * @see IContainer#INCLUDE_TEAM_PRIVATE_MEMBERS
+ * @see IContainer#INCLUDE_HIDDEN
+ * @since 2.0
+ */
+ public IResourceDelta[] getAffectedChildren(int kindMask, int memberFlags);
+
+ /**
+ * Returns flags which describe in more detail how a resource has been affected.
+ *
+ * The following codes (bit masks) are used when kind is CHANGED
, and
+ * also when the resource is involved in a move:
+ *
+ * CONTENT
- The bytes contained by the resource have
+ * been altered, or IResource.touch
has been called on
+ * the resource.
+ * ENCODING
- The encoding of the resource may have been altered.
+ * This flag is not set when the encoding changes due to the file being modified,
+ * or being moved.
+ * DESCRIPTION
- The description of the project has been altered,
+ * or IResource.touch
has been called on the project.
+ * This flag is only valid for project resources.
+ * OPEN
- The project's open/closed state has changed.
+ * If it is not open, it was closed, and vice versa. This flag is only valid for project resources.
+ * TYPE
- The resource (a folder or file) has changed its type.
+ * SYNC
- The resource's sync status has changed.
+ * MARKERS
- The resource's markers have changed.
+ * REPLACED
- The resource (and all its properties)
+ * was deleted (either by a delete or move), and was subsequently re-created
+ * (either by a create, move, or copy).
+ * LOCAL_CHANGED
- The resource is a linked resource,
+ * and the underlying file system object has been added or removed.
+ *
+ * The following code is only used if kind is REMOVED
+ * (or CHANGED
in conjunction with REPLACED
):
+ *
+ * MOVED_TO
- The resource has moved.
+ * getMovedToPath
will return the path of where it was moved to.
+ *
+ * The following code is only used if kind is ADDED
+ * (or CHANGED
in conjunction with REPLACED
):
+ *
+ * MOVED_FROM
- The resource has moved.
+ * getMovedFromPath
will return the path of where it was moved from.
+ *
+ * A simple move operation would result in the following delta information.
+ * If a resource is moved from A to B (with no other changes to A or B),
+ * then A will have kind REMOVED
, with flag MOVED_TO
,
+ * and getMovedToPath
on A will return the path for B.
+ * B will have kind ADDED
, with flag MOVED_FROM
,
+ * and getMovedFromPath
on B will return the path for A.
+ * B's other flags will describe any other changes to the resource, as compared
+ * to its previous location at A.
+ *
+ *
+ * Note that the move flags only describe the changes to a single resource; they
+ * don't necessarily imply anything about the parent or children of the resource.
+ * If the children were moved as a consequence of a subtree move operation,
+ * they will have corresponding move flags as well.
+ *
+ *
+ * Note that it is possible for a file resource to be replaced in the workspace
+ * by a folder resource (or the other way around).
+ * The resource delta, which is actually expressed in terms of
+ * paths instead or resources, shows this as a change to either the
+ * content or children.
+ *
+ *
+ * @return the flags
+ * @see IResourceDelta#CONTENT
+ * @see IResourceDelta#DESCRIPTION
+ * @see IResourceDelta#ENCODING
+ * @see IResourceDelta#OPEN
+ * @see IResourceDelta#MOVED_TO
+ * @see IResourceDelta#MOVED_FROM
+ * @see IResourceDelta#TYPE
+ * @see IResourceDelta#SYNC
+ * @see IResourceDelta#MARKERS
+ * @see IResourceDelta#REPLACED
+ * @see #getKind()
+ * @see #getMovedFromPath()
+ * @see #getMovedToPath()
+ * @see IResource#move(IPath, int, IProgressMonitor)
+ */
+ public int getFlags();
+
+ /**
+ * Returns the full, absolute path of this resource delta.
+ *
+ * Note: the returned path never has a trailing separator.
+ *
+ * @return the full, absolute path of this resource delta
+ * @see IResource#getFullPath()
+ * @see #getProjectRelativePath()
+ */
+ public IPath getFullPath();
+
+ /**
+ * Returns the kind of this resource delta.
+ * Normally, one of ADDED
,
+ * REMOVED
, CHANGED
.
+ * When phantom resources have been explicitly requested,
+ * there are two additional kinds: ADDED_PHANTOM
+ * and REMOVED_PHANTOM
.
+ *
+ * @return the kind of this resource delta
+ * @see IResourceDelta#ADDED
+ * @see IResourceDelta#REMOVED
+ * @see IResourceDelta#CHANGED
+ * @see IResourceDelta#ADDED_PHANTOM
+ * @see IResourceDelta#REMOVED_PHANTOM
+ */
+ public int getKind();
+
+ /**
+ * Returns the changes to markers on the corresponding resource.
+ * Returns an empty array if no markers changed.
+ *
+ * @return the marker deltas
+ */
+ public IMarkerDelta[] getMarkerDeltas();
+
+ /**
+ * Returns the full path (in the "before" state) from which this resource
+ * (in the "after" state) was moved. This value is only valid
+ * if the MOVED_FROM
change flag is set; otherwise,
+ * null
is returned.
+ *
+ * Note: the returned path never has a trailing separator.
+ *
+ * @return a path, or null
+ * @see #getMovedToPath()
+ * @see #getFullPath()
+ * @see #getFlags()
+ */
+ public IPath getMovedFromPath();
+
+ /**
+ * Returns the full path (in the "after" state) to which this resource
+ * (in the "before" state) was moved. This value is only valid if the
+ * MOVED_TO
change flag is set; otherwise,
+ * null
is returned.
+ *
+ * Note: the returned path never has a trailing separator.
+ *
+ * @return a path, or null
+ * @see #getMovedFromPath()
+ * @see #getFullPath()
+ * @see #getFlags()
+ */
+ public IPath getMovedToPath();
+
+ /**
+ * Returns the project-relative path of this resource delta.
+ * Returns the empty path for projects and the workspace root.
+ *
+ * A resource's project-relative path indicates the route from the project
+ * to the resource. Within a workspace, there is exactly one such path
+ * for any given resource. The returned path never has a trailing separator.
+ *
+ * @return the project-relative path of this resource delta
+ * @see IResource#getProjectRelativePath()
+ * @see #getFullPath()
+ * @see Path#EMPTY
+ */
+ public IPath getProjectRelativePath();
+
+ /**
+ * Returns a handle for the affected resource.
+ *
+ * For additions (ADDED
), this handle describes the newly-added resource; i.e.,
+ * the one in the "after" state.
+ *
+ * For changes (CHANGED
), this handle also describes the resource in the "after"
+ * state. When a file or folder resource has changed type, the
+ * former type of the handle can be inferred.
+ *
+ * For removals (REMOVED
), this handle describes the resource in the "before"
+ * state. Even though this resource would not normally exist in the
+ * current workspace, the type of resource that was removed can be
+ * determined from the handle.
+ *
+ * For phantom additions and removals (ADDED_PHANTOM
+ * and REMOVED_PHANTOM
), this is the handle of the phantom resource.
+ *
+ * @return the affected resource (handle)
+ */
+ public IResource getResource();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceDeltaVisitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceDeltaVisitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,55 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * An objects that visits resource deltas.
+ *
+ * Usage:
+ *
+ * class Visitor implements IResourceDeltaVisitor {
+ * public boolean visit(IResourceDelta delta) {
+ * switch (delta.getKind()) {
+ * case IResourceDelta.ADDED :
+ * // handle added resource
+ * break;
+ * case IResourceDelta.REMOVED :
+ * // handle removed resource
+ * break;
+ * case IResourceDelta.CHANGED :
+ * // handle changed resource
+ * break;
+ * }
+ * return true;
+ * }
+ * }
+ * IResourceDelta rootDelta = ...;
+ * rootDelta.accept(new Visitor());
+ *
+ *
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @see IResource#accept(IResourceVisitor)
+ */
+public interface IResourceDeltaVisitor {
+ /**
+ * Visits the given resource delta.
+ *
+ * @return true
if the resource delta's children should
+ * be visited; false
if they should be skipped.
+ * @exception CoreException if the visit fails for some reason.
+ */
+ public boolean visit(IResourceDelta delta) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceProxy.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceProxy.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,163 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.QualifiedName;
+
+/**
+ * A lightweight interface for requesting information about a resource.
+ * All of the "get" methods on a resource proxy have trivial performance cost.
+ * Requesting the full path or the actual resource handle will cause extra objects
+ * to be created and will thus have greater cost.
+ *
+ * When a resource proxy is used within an {@link IResourceProxyVisitor},
+ * it is a transient object that is only valid for the duration of a single visit method.
+ * A proxy should not be referenced once the single resource visit is complete.
+ * The equals and hashCode methods should not be relied on.
+ *
+ *
+ * A proxy can also be created using {@link IResource#createProxy()}. In
+ * this case the proxy is valid indefinitely, but will not remain in sync with
+ * the state of the corresponding resource.
+ *
+ *
+ * @see IResourceProxyVisitor
+ * @since 2.1
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceProxy {
+ /**
+ * Returns the modification stamp of the resource being visited.
+ *
+ * @return the modification stamp, or NULL_STAMP
if the
+ * resource either does not exist or exists as a closed project
+ * @see IResource#getModificationStamp()
+ */
+ public long getModificationStamp();
+
+ /**
+ * Returns whether the resource being visited is accessible.
+ *
+ * @return true
if the resource is accessible, and
+ * false
otherwise
+ * @see IResource#isAccessible()
+ */
+ public boolean isAccessible();
+
+ /**
+ * Returns whether the resource being visited is derived.
+ *
+ * @return true
if the resource is marked as derived, and
+ * false
otherwise
+ * @see IResource#isDerived()
+ */
+ public boolean isDerived();
+
+ /**
+ * Returns whether the resource being visited is a linked resource.
+ *
+ * @return true
if the resource is linked, and
+ * false
otherwise
+ * @see IResource#isLinked()
+ */
+ public boolean isLinked();
+
+ /**
+ * Returns whether the resource being visited is a phantom resource.
+ *
+ * @return true
if the resource is a phantom resource, and
+ * false
otherwise
+ * @see IResource#isPhantom()
+ */
+ public boolean isPhantom();
+
+ /**
+ * Returns whether the resource being visited is a hidden resource.
+ *
+ * @return true
if the resource is a hidden resource, and
+ * false
otherwise
+ * @see IResource#isHidden()
+ *
+ * @since 3.4
+ */
+ public boolean isHidden();
+
+ /**
+ * Returns whether the resource being visited is a team private member.
+ *
+ * @return true
if the resource is a team private member, and
+ * false
otherwise
+ * @see IResource#isTeamPrivateMember()
+ */
+ public boolean isTeamPrivateMember();
+
+ /**
+ * Returns the simple name of the resource being visited.
+ *
+ * @return the name of the resource
+ * @see IResource#getName()
+ */
+ public String getName();
+
+ /**
+ * Returns the value of the session property of the resource being
+ * visited, identified by the given key. Returns null
if this
+ * resource has no such property.
+ *
+ * Note that this method can return an out of date property value, or a
+ * value that no longer exists, if session properties are being modified
+ * concurrently with the resource visit.
+ *
+ *
+ * @param key the qualified name of the property
+ * @return the string value of the session property,
+ * or null
if the resource has no such property
+ * @see IResource#getSessionProperty(QualifiedName)
+ */
+ public Object getSessionProperty(QualifiedName key);
+
+ /**
+ * Returns the type of the resource being visited.
+ *
+ * @return the resource type
+ * @see IResource#getType()
+ */
+ public int getType();
+
+ /**
+ * Returns the full workspace path of the resource being visited.
+ *
+ * Note that this is not a "free" proxy operation. This method
+ * will generally cause a path object to be created. For an optimal
+ * visitor, only call this method when absolutely necessary. Note that the
+ * simple resource name can be obtained from the proxy with no cost.
+ *
+ * @return the full path of the resource
+ * @see IResource#getFullPath()
+ */
+ public IPath requestFullPath();
+
+ /**
+ * Returns the handle of the resource being visited.
+ *
+ * Note that this is not a "free" proxy operation. This method will
+ * generally cause both a path object and a resource object to be created.
+ * For an optimal visitor, only call this method when absolutely necessary.
+ * Note that the simple resource name can be obtained from the proxy with no
+ * cost, and the full path of the resource can be obtained through the proxy
+ * with smaller cost.
+ *
+ * @return the resource handle
+ */
+ public IResource requestResource();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceProxyVisitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceProxyVisitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,52 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * This interface is implemented by objects that visit resource trees. The fast
+ * visitor is an optimized mechanism for tree traversal that creates a minimal
+ * number of objects. The visitor is provided with a callback interface,
+ * instead of a resource. Through the callback, the visitor can request
+ * information about the resource being visited.
+ *
+ * Usage:
+ *
+ * class Visitor implements IResourceProxyVisitor {
+ * public boolean visit (IResourceProxy proxy) {
+ * // your code here
+ * return true;
+ * }
+ * }
+ * ResourcesPlugin.getWorkspace().getRoot().accept(new Visitor(), IResource.NONE);
+ *
+ *
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @see IResource#accept(IResourceVisitor)
+ * @since 2.1
+ */
+public interface IResourceProxyVisitor {
+ /**
+ * Visits the given resource.
+ *
+ * @param proxy for requesting information about the resource being visited;
+ * this object is only valid for the duration of the invocation of this
+ * method, and must not be used after this method has completed
+ * @return true
if the resource's members should
+ * be visited; false
if they should be skipped
+ * @exception CoreException if the visit fails for some reason.
+ */
+ public boolean visit(IResourceProxy proxy) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceRuleFactory.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceRuleFactory.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,138 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+
+/**
+ * A resource rule factory returns scheduling rules for API methods
+ * that modify the workspace. These rules can be used when creating jobs
+ * or other operations that perform a series of modifications on the workspace.
+ * This allows clients to implement two phase commit semantics, where all
+ * necessary rules are obtained prior to executing a long running operation.
+ *
+ * Note that simple use of the workspace APIs does not require use of scheduling
+ * rules. All workspace API methods that modify the workspace will automatically
+ * obtain any scheduling rules needed to perform the modification. However, if you
+ * are aggregating a set of changes to the workspace using WorkspaceJob
+ * or IWorkspaceRunnable
you can use scheduling rules to lock a
+ * portion of the workspace for the duration of the job or runnable. If you
+ * provide a non-null scheduling rule, a runtime exception will occur if you try to
+ * modify a portion of the workspace that is not covered by the rule for the runnable or job.
+ *
+ * If more than one rule is needed, they can be aggregated using the
+ * MultiRule.combine
method. Simplifying a group of rules does not change
+ * the set of resources that are covered, but can improve job scheduling performance.
+ *
+ * Note that null
is a valid scheduling rule (indicating that no
+ * resources need to be locked), and thus all methods in this class may
+ * return null
.
+ *
+ * @see WorkspaceJob
+ * @see IWorkspace#run(IWorkspaceRunnable, ISchedulingRule, int, org.eclipse.core.runtime.IProgressMonitor)
+ * @see org.eclipse.core.runtime.jobs.MultiRule#combine(ISchedulingRule, ISchedulingRule)
+ * @since 3.0
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceRuleFactory {
+ /**
+ * Returns the scheduling rule that is required for creating a project, folder,
+ * or file.
+ *
+ * @param resource the resource being created
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule createRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for building a project or the
+ * entire workspace.
+ *
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule buildRule();
+
+ /**
+ * Returns the scheduling rule that is required for changing the charset
+ * setting for a file or the default charset setting for a container.
+ *
+ * @param resource the resource the charset will be changed
+ * @return a scheduling rule, or null
+ * @since 3.1
+ */
+ public ISchedulingRule charsetRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for copying a resource.
+ *
+ * @param source the source of the copy
+ * @param destination the destination of the copy
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule copyRule(IResource source, IResource destination);
+
+ /**
+ * Returns the scheduling rule that is required for deleting a resource.
+ *
+ * @param resource the resource to be deleted
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule deleteRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for creating, modifying, or
+ * deleting markers on a resource.
+ *
+ * @param resource the resource owning the marker to be modified
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule markerRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for modifying a resource.
+ * For files, modification includes setting and appending contents. For
+ * projects, modification includes opening or closing the project, or
+ * setting the project description using the
+ * {@link IResource#AVOID_NATURE_CONFIG} flag. For all resources
+ * touch
is considered to be a modification.
+ *
+ * @param resource the resource being modified
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule modifyRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for moving a resource.
+ *
+ * @param source the source of the move
+ * @param destination the destination of the move
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule moveRule(IResource source, IResource destination);
+
+ /**
+ * Returns the scheduling rule that is required for performing
+ * refreshLocal
on a resource.
+ *
+ * @param resource the resource to refresh
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule refreshRule(IResource resource);
+
+ /**
+ * Returns the scheduling rule that is required for a validateEdit
+ *
+ * @param resources the resources to be validated
+ * @return a scheduling rule, or null
+ */
+ public ISchedulingRule validateEditRule(IResource[] resources);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceStatus.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceStatus.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,315 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.*;
+
+/**
+ * Represents status related to resources in the Resources plug-in and
+ * defines the relevant status code constants.
+ * Status objects created by the Resources plug-in bear its unique id
+ * (ResourcesPlugin.PI_RESOURCES
) and one of
+ * these status codes.
+ *
+ * @see org.eclipse.core.runtime.IStatus
+ * @see ResourcesPlugin#PI_RESOURCES
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceStatus extends IStatus {
+
+ /*
+ * Status code definitions
+ */
+
+ // General constants [0-98]
+ // Information Only [0-32]
+ // Warnings [33-65]
+ /** Status code constant (value 35) indicating that a given
+ * nature set does not satisfy its constraints.
+ * Severity: warning. Category: general.
+ */
+ public static final int INVALID_NATURE_SET = 35;
+
+ // Errors [66-98]
+
+ /** Status code constant (value 75) indicating that a builder failed.
+ * Severity: error. Category: general.
+ */
+ public static final int BUILD_FAILED = 75;
+
+ /** Status code constant (value 76) indicating that an operation failed.
+ * Severity: error. Category: general.
+ */
+ public static final int OPERATION_FAILED = 76;
+
+ /** Status code constant (value 77) indicating an invalid value.
+ * Severity: error. Category: general.
+ */
+ public static final int INVALID_VALUE = 77;
+
+ // Local file system constants [200-298]
+ // Information Only [200-232]
+
+ // Warnings [233-265]
+
+ /** Status code constant (value 234) indicating that a project
+ * description file (.project), was missing but it has been repaired.
+ * Severity: warning. Category: local file system.
+ */
+ public static final int MISSING_DESCRIPTION_REPAIRED = 234;
+
+ /** Status code constant (value 235) indicating the local file system location
+ * for a resource overlaps the location of another resource.
+ * Severity: warning. Category: local file system.
+ */
+ public static final int OVERLAPPING_LOCATION = 235;
+
+ // Errors [266-298]
+
+ /** Status code constant (value 268) indicating a resource unexpectedly
+ * exists on the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int EXISTS_LOCAL = 268;
+
+ /** Status code constant (value 269) indicating a resource unexpectedly
+ * does not exist on the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int NOT_FOUND_LOCAL = 269;
+
+ /** Status code constant (value 270) indicating the local file system location for
+ * a resource could not be computed.
+ * Severity: error. Category: local file system.
+ */
+ public static final int NO_LOCATION_LOCAL = 270;
+
+ /** Status code constant (value 271) indicating an error occurred while
+ * reading part of a resource from the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int FAILED_READ_LOCAL = 271;
+
+ /** Status code constant (value 272) indicating an error occurred while
+ * writing part of a resource to the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int FAILED_WRITE_LOCAL = 272;
+
+ /** Status code constant (value 273) indicating an error occurred while
+ * deleting a resource from the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int FAILED_DELETE_LOCAL = 273;
+
+ /** Status code constant (value 274) indicating the workspace view of
+ * the resource differs from that of the local file system. The requested
+ * operation has been aborted to prevent the possible loss of data.
+ * Severity: error. Category: local file system.
+ */
+ public static final int OUT_OF_SYNC_LOCAL = 274;
+
+ /** Status code constant (value 275) indicating this file system is not case
+ * sensitive and a resource that differs only in case unexpectedly exists on
+ * the local file system.
+ * Severity: error. Category: local file system.
+ */
+ public static final int CASE_VARIANT_EXISTS = 275;
+
+ /** Status code constant (value 276) indicating a file exists in the
+ * file system but is not of the expected type (file instead of directory,
+ * or vice-versa).
+ * Severity: error. Category: local file system.
+ */
+ public static final int WRONG_TYPE_LOCAL = 276;
+
+ /** Status code constant (value 277) indicating that the parent
+ * file in the file system is marked as read-only.
+ * Severity: error. Category: local file system.
+ * @since 2.1
+ */
+ public static final int PARENT_READ_ONLY = 277;
+
+ /** Status code constant (value 278) indicating a file exists in the
+ * file system but its name is not a valid resource name.
+ * Severity: error. Category: local file system.
+ */
+ public static final int INVALID_RESOURCE_NAME = 278;
+
+ /** Status code constant (value 279) indicating that the
+ * file in the file system is marked as read-only.
+ * Severity: error. Category: local file system.
+ * @since 3.0
+ */
+ public static final int READ_ONLY_LOCAL = 279;
+
+ // Workspace constants [300-398]
+ // Information Only [300-332]
+
+ // Warnings [333-365]
+
+ /** Status code constant (value 333) indicating that a workspace path
+ * variable unexpectedly does not exist.
+ * Severity: warning. Category: workspace.
+ * @since 2.1
+ */
+ public static final int VARIABLE_NOT_DEFINED_WARNING = 333;
+
+ // Errors [366-398]
+
+ /** Status code constant (value 366) indicating a resource exists in the
+ * workspace but is not of the expected type.
+ * Severity: error. Category: workspace.
+ */
+ public static final int RESOURCE_WRONG_TYPE = 366;
+
+ /** Status code constant (value 367) indicating a resource unexpectedly
+ * exists in the workspace.
+ * Severity: error. Category: workspace.
+ */
+ public static final int RESOURCE_EXISTS = 367;
+
+ /** Status code constant (value 368) indicating a resource unexpectedly
+ * does not exist in the workspace.
+ * Severity: error. Category: workspace.
+ */
+ public static final int RESOURCE_NOT_FOUND = 368;
+
+ /** Status code constant (value 369) indicating a resource unexpectedly
+ * does not have content local to the workspace.
+ * Severity: error. Category: workspace.
+ */
+ public static final int RESOURCE_NOT_LOCAL = 369;
+
+ /** Status code constant (value 370) indicating a workspace
+ * is unexpectedly closed.
+ * Severity: error. Category: workspace.
+ */
+ public static final int WORKSPACE_NOT_OPEN = 370;
+
+ /** Status code constant (value 372) indicating a project is
+ * unexpectedly closed.
+ * Severity: error. Category: workspace.
+ */
+ public static final int PROJECT_NOT_OPEN = 372;
+
+ /** Status code constant (value 374) indicating that the path
+ * of a resource being created is occupied by an existing resource
+ * of a different type.
+ * Severity: error. Category: workspace.
+ */
+ public static final int PATH_OCCUPIED = 374;
+
+ /** Status code constant (value 375) indicating that the sync partner
+ * is not registered with the workspace synchronizer.
+ * Severity: error. Category: workspace.
+ */
+ public static final int PARTNER_NOT_REGISTERED = 375;
+
+ /** Status code constant (value 376) indicating a marker unexpectedly
+ * does not exist in the workspace tree.
+ * Severity: error. Category: workspace.
+ */
+ public static final int MARKER_NOT_FOUND = 376;
+
+ /** Status code constant (value 377) indicating a resource is
+ * unexpectedly not a linked resource.
+ * Severity: error. Category: workspace.
+ * @since 2.1
+ */
+ public static final int RESOURCE_NOT_LINKED = 377;
+
+ /** Status code constant (value 378) indicating that linking is
+ * not permitted on a certain project.
+ * Severity: error. Category: workspace.
+ * @since 2.1
+ */
+ public static final int LINKING_NOT_ALLOWED = 378;
+
+ /** Status code constant (value 379) indicating that a workspace path
+ * variable unexpectedly does not exist.
+ * Severity: error. Category: workspace.
+ * @since 2.1
+ */
+ public static final int VARIABLE_NOT_DEFINED = 379;
+
+ /** Status code constant (value 380) indicating that an attempt was made to modify
+ * the workspace while it was locked. Resource changes are disallowed
+ * during certain types of resource change event notification.
+ * Severity: error. Category: workspace.
+ * @see IResourceChangeEvent
+ * @since 2.1
+ */
+ public static final int WORKSPACE_LOCKED = 380;
+
+ /** Status code constant (value 381) indicating that a problem occurred while
+ * retrieving the content description for a resource.
+ * Severity: error. Category: workspace.
+ * @see IFile#getContentDescription
+ * @since 3.0
+ */
+ public static final int FAILED_DESCRIBING_CONTENTS = 381;
+
+ /** Status code constant (value 382) indicating that a problem occurred while
+ * setting the charset for a resource.
+ * Severity: error. Category: workspace.
+ * @see IContainer#setDefaultCharset(String, IProgressMonitor)
+ * @see IFile#setCharset(String, IProgressMonitor)
+ * @since 3.0
+ */
+ public static final int FAILED_SETTING_CHARSET = 382;
+
+ /** Status code constant (value 383) indicating that a problem occurred while
+ * getting the charset for a resource.
+ * Severity: error. Category: workspace.
+ * @since 3.0
+ */
+ public static final int FAILED_GETTING_CHARSET = 383;
+
+ // Internal constants [500-598]
+ // Information Only [500-532]
+
+ // Warnings [533-565]
+
+ // Errors [566-598]
+
+ /** Status code constant (value 566) indicating an error internal to the
+ * platform has occurred.
+ * Severity: error. Category: internal.
+ */
+ public static final int INTERNAL_ERROR = 566;
+
+ /** Status code constant (value 567) indicating the platform could not read
+ * some of its metadata.
+ * Severity: error. Category: internal.
+ */
+ public static final int FAILED_READ_METADATA = 567;
+
+ /** Status code constant (value 568) indicating the platform could not write
+ * some of its metadata.
+ * Severity: error. Category: internal.
+ */
+ public static final int FAILED_WRITE_METADATA = 568;
+
+ /** Status code constant (value 569) indicating the platform could not delete
+ * some of its metadata.
+ * Severity: error. Category: internal.
+ */
+ public static final int FAILED_DELETE_METADATA = 569;
+
+ /**
+ * Returns the path of the resource associated with this status.
+ *
+ * @return the path of the resource related to this status
+ */
+ public IPath getPath();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceVisitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IResourceVisitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,46 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * This interface is implemented by objects that visit resource trees.
+ *
+ * Usage:
+ *
+ * class Visitor implements IResourceVisitor {
+ * public boolean visit(IResource res) {
+ * // your code here
+ * return true;
+ * }
+ * }
+ * IResource root = ...;
+ * root.accept(new Visitor());
+ *
+ *
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @see IResource#accept(IResourceVisitor)
+ */
+public interface IResourceVisitor {
+ /**
+ * Visits the given resource.
+ *
+ * @param resource the resource to visit
+ * @return true
if the resource's members should
+ * be visited; false
if they should be skipped
+ * @exception CoreException if the visit fails for some reason.
+ */
+ public boolean visit(IResource resource) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISaveContext.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISaveContext.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,197 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * A context for workspace save
operations.
+ *
+ * Note that IWorkspace.save
uses a
+ * different save context for each registered participant,
+ * allowing each to declare whether they have actively
+ * participated and decide whether to receive a resource
+ * delta on reactivation.
+ *
+ *
+ * @see IWorkspace#save(boolean, org.eclipse.core.runtime.IProgressMonitor)
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface ISaveContext {
+
+ /*====================================================================
+ * Constants related to save kind
+ *====================================================================*/
+
+ /**
+ * Type constant which identifies a full save.
+ *
+ * @see ISaveContext#getKind()
+ */
+ public static final int FULL_SAVE = 1;
+
+ /**
+ * Type constant which identifies a snapshot.
+ *
+ * @see ISaveContext#getKind()
+ */
+ public static final int SNAPSHOT = 2;
+
+ /**
+ * Type constant which identifies a project save.
+ *
+ * @see ISaveContext#getKind()
+ */
+ public static final int PROJECT_SAVE = 3;
+
+ /**
+ * Returns current files mapped with the ISaveContext.map
+ * facility or an empty array if there are no mapped files.
+ *
+ * @return the files currently mapped by the participant
+ *
+ * @see #map(IPath, IPath)
+ */
+ public IPath[] getFiles();
+
+ /**
+ * Returns the type of this save. The types can be:
+ *
+ * ISaveContext.FULL_SAVE
+ * ISaveContext.SNAPSHOT
+ * ISaveContext.PROJECT_SAVE
+ *
+ *
+ * @return the type of the current save
+ */
+ public int getKind();
+
+ /**
+ * Returns the number for the previous save in
+ * which the plug-in actively participated, or 0
+ * if the plug-in has never actively participated in a save before.
+ *
+ * In the event of an unsuccessful save, this is the value to
+ * rollback
to.
+ *
+ *
+ * @return the previous save number if positive, or 0
+ * if never saved before
+ * @see ISaveParticipant#rollback(ISaveContext)
+ */
+ public int getPreviousSaveNumber();
+
+ /**
+ * If the current save is a project save, this method returns the project
+ * being saved.
+ *
+ * @return the project being saved or null
if this is not
+ * project save
+ *
+ * @see #getKind()
+ */
+ public IProject getProject();
+
+ /**
+ * Returns the number for this save. This number is
+ * guaranteed to be 1
more than the
+ * previous save number.
+ *
+ * This is the value to use when, for example, creating files
+ * in which a participant will save its data.
+ *
+ *
+ * @return the save number
+ * @see ISaveParticipant#saving(ISaveContext)
+ */
+ public int getSaveNumber();
+
+ /**
+ * Returns the current location for the given file or
+ * null
if none.
+ *
+ * @return the location of a given file or null
+ * @see #map(IPath, IPath)
+ * @see ISavedState#lookup(IPath)
+ */
+ public IPath lookup(IPath file);
+
+ /**
+ * Maps the given plug-in file to its real location. This method is intended to be used
+ * with ISaveContext.getSaveNumber()
to map plug-in configuration
+ * file names to real locations.
+ *
+ * For example, assume a plug-in has a configuration file named "config.properties".
+ * The map facility can be used to map that logical name onto a real
+ * name which is specific to a particular save (e.g., 10.config.properties,
+ * where 10 is the current save number). The paths specified here should
+ * always be relative to the plug-in state location for the plug-in saving the state.
+ *
+ *
+ * Each save participant must manage the deletion of its old state files. Old state files
+ * can be discovered using getPreviousSaveNumber
or by using
+ * getFiles
to discover the current files and comparing that to the
+ * list of files on disk.
+ *
+ * @param file the logical name of the participant's data file
+ * @param location the real (i.e., filesystem) name by which the file should be known
+ * for this save, or null
to remove the entry
+ * @see #lookup(IPath)
+ * @see #getSaveNumber()
+ * @see #needSaveNumber()
+ * @see ISavedState#lookup(IPath)
+ */
+ public void map(IPath file, IPath location);
+
+ /**
+ * Indicates that the saved workspace tree should be remembered so that a delta
+ * will be available in a subsequent session when the plug-in re-registers
+ * to participate in saves. If this method is not called, no resource delta will
+ * be made available. This facility is not available for marker deltas.
+ * Plug-ins must assume that all markers may have changed when they are activated.
+ *
+ * Note that this is orthogonal to needSaveNumber
. That is,
+ * one can ask for a delta regardless of whether or not one is an active participant.
+ *
+ *
+ * Note that deltas are not guaranteed to be saved even if saving is requested.
+ * Deltas cannot be supplied where the previous state is too old or has become invalid.
+ *
+ *
+ * This method is only valid for full saves. It is ignored during snapshots
+ * or project saves.
+ *
+ *
+ * @see IWorkspace#addSaveParticipant(org.eclipse.core.runtime.Plugin, ISaveParticipant)
+ * @see ISavedState#processResourceChangeEvents(IResourceChangeListener)
+ */
+ public void needDelta();
+
+ /**
+ * Indicates that this participant has actively participated in this save.
+ * If the save is successful, the current save number will be remembered;
+ * this save number will be the previous save number for subsequent saves
+ * until the participant again actively participates.
+ *
+ * If this method is not called, the plug-in is not deemed to be an active
+ * participant in this save.
+ *
+ *
+ * Note that this is orthogonal to needDelta
. That is,
+ * one can be an active participant whether or not one asks for a delta.
+ *
+ *
+ * @see IWorkspace#addSaveParticipant(org.eclipse.core.runtime.Plugin, ISaveParticipant)
+ * @see ISavedState#getSaveNumber()
+ */
+ public void needSaveNumber();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISaveParticipant.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISaveParticipant.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,172 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.EventListener;
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * A participant in the saving of the workspace.
+ *
+ * Plug-ins implement this interface and register to participate
+ * in workspace save operations.
+ *
+ *
+ * Clients may implement this interface.
+ *
+ * @see IWorkspace#save(boolean, org.eclipse.core.runtime.IProgressMonitor)
+ */
+public interface ISaveParticipant extends EventListener {
+ /**
+ * Tells this participant that the workspace save operation is now
+ * complete and it is free to go about its normal business.
+ * Exceptions are not expected to be thrown at this point, so they
+ * should be handled internally.
+ *
+ * Note: This method is called by the platform; it is not intended
+ * to be called directly by clients.
+ *
+ *
+ * @param context the save context object
+ */
+ public void doneSaving(ISaveContext context);
+
+ /**
+ * Tells this participant that the workspace is about to be
+ * saved. In preparation, the participant is expected to suspend
+ * its normal operation until further notice. saving
+ * will be next, followed by either doneSaving
+ * or rollback
depending on whether the workspace
+ * save was successful.
+ *
+ * Note: This method is called by the platform; it is not intended
+ * to be called directly by clients.
+ *
+ *
+ * @param context the save context object
+ * @exception CoreException if this method fails to snapshot
+ * the state of this workspace
+ */
+ public void prepareToSave(ISaveContext context) throws CoreException;
+
+ /**
+ * Tells this participant to rollback its important state.
+ * The context's previous state number indicates what it was prior
+ * to the failed save.
+ * Exceptions are not expected to be thrown at this point, so they
+ * should be handled internally.
+ *
+ * Note: This method is called by the platform; it is not intended
+ * to be called directly by clients.
+ *
+ *
+ * @param context the save context object
+ * @see ISaveContext#getPreviousSaveNumber()
+ */
+ public void rollback(ISaveContext context);
+
+ /**
+ * Tells this participant to save its important state because
+ * the workspace is being saved, as described in the supplied
+ * save context.
+ *
+ * Note: This method is called by the platform; it is not intended
+ * to be called directly by clients.
+ *
+ *
+ * The basic contract for this method is the same for full saves,
+ * snapshots and project saves: the participant must absolutely guarantee that any
+ * important user data it has gathered will not be irrecoverably lost
+ * in the event of a crash. The only difference is in the space-time
+ * tradeoffs that the participant should make.
+ *
+ * Full saves: the participant is
+ * encouraged to save additional non-essential information that will aid
+ * it in retaining user state and configuration information and quickly getting
+ * back in sync with the state of the platform at a later point.
+ *
+ * Snapshots: the participant is discouraged from saving non-essential
+ * information that could be recomputed in the unlikely event of a crash.
+ * This lifecycle event will happen often and participant actions should take
+ * an absolute minimum of time.
+ *
+ * Project saves: the participant should only save project related data.
+ * It is discouraged from saving non-essential information that could be recomputed
+ * in the unlikely event of a crash.
+ *
+ *
+ * For instance, the Java IDE gathers various user preferences and would want to
+ * make sure that the current settings are safe and sound after a
+ * save
(if not saved immediately).
+ * The Java IDE would likely save computed image builder state on full saves,
+ * because this would allow the Java IDE to be restarted later and not
+ * have to recompile the world at that time. On the other hand, the Java
+ * IDE would not save the image builder state on a snapshot because
+ * that information is non-essential; in the unlikely event of a crash,
+ * the image should be rebuilt either from scratch or from the last saved
+ * state.
+ *
+ *
+ * The following snippet shows how a plug-in participant would write
+ * its important state to a file whose name is based on the save
+ * number for this save operation.
+ *
+ * Plugin plugin = ...; // known
+ * int saveNumber = context.getSaveNumber();
+ * String saveFileName = "save-" + Integer.toString(saveNumber);
+ * File f = plugin.getStateLocation().append(saveFileName).toFile();
+ * plugin.writeImportantState(f);
+ * context.map(new Path("save"), new Path(saveFileName));
+ * context.needSaveNumber();
+ * context.needDelta(); // optional
+ *
+ * When the plug-in is reactivated in a subsequent workspace session,
+ * it needs to re-register to participate in workspace saves. When it
+ * does so, it is handed back key information about what state it had last
+ * saved. If it's interested, it can also ask for a resource delta
+ * describing all resource changes that have happened since then, if this
+ * information is still available.
+ * The following snippet shows what a participant plug-in would
+ * need to do if and when it is reactivated:
+ *
+ * IWorkspace ws = ...; // known
+ * Plugin plugin = ...; // known
+ * ISaveParticipant saver = ...; // known
+ * ISavedState ss = ws.addSaveParticipant(plugin, saver);
+ * if (ss == null) {
+ * // activate for very first time
+ * plugin.buildState();
+ * } else {
+ * String saveFileName = ss.lookup(new Path("save"));
+ * File f = plugin.getStateLocation().append(saveFileName).toFile();
+ * plugin.readImportantState(f);
+ * IResourceChangeListener listener = new IResourceChangeListener() {
+ * public void resourceChanged(IResourceChangeEvent event) {
+ * IResourceDelta delta = event.getDelta();
+ * if (delta != null) {
+ * // fast reactivation using delta
+ * plugin.updateState(delta);
+ * } else {
+ * // slower reactivation without benefit of delta
+ * plugin.rebuildState();
+ * }
+ * };
+ * ss.processResourceChangeEvents(listener);
+ * }
+ *
+ *
+ *
+ * @param context the save context object
+ * @exception CoreException if this method fails
+ * @see ISaveContext#getSaveNumber()
+ */
+ public void saving(ISaveContext context) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISavedState.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISavedState.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,87 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.IPath;
+
+/**
+ * A data structure returned by {@link IWorkspace#addSaveParticipant(org.eclipse.core.runtime.Plugin, ISaveParticipant)}
+ * containing a save number and an optional resource delta.
+ *
+ * @see IWorkspace#addSaveParticipant(org.eclipse.core.runtime.Plugin, ISaveParticipant)
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface ISavedState {
+ /**
+ * Returns the files mapped with the {@link ISaveContext#map(IPath, IPath)}
+ * facility. Returns an empty array if there are no mapped files.
+ *
+ * @return the files currently mapped by the participant
+ *
+ * @see #lookup(IPath)
+ * @see ISaveContext#map(IPath, IPath)
+ */
+ public IPath[] getFiles();
+
+ /**
+ * Returns the save number for the save participant.
+ * This is the save number of the last successful save in which the plug-in
+ * actively participated, or 0
if the plug-in has
+ * never actively participated in a successful save.
+ *
+ * @return the save number
+ */
+ public int getSaveNumber();
+
+ /**
+ * Returns the mapped location associated with the given path
+ * or null
if none.
+ *
+ * @return the mapped location of a given path
+ * @see #getFiles()
+ * @see ISaveContext#map(IPath, IPath)
+ */
+ public IPath lookup(IPath file);
+
+ /**
+ * Used to receive notification of changes that might have happened
+ * while this plug-in was not active. The listener receives notifications of changes to
+ * the workspace resource tree since the time this state was saved. After this
+ * method is run, the delta is forgotten. Subsequent calls to this method
+ * will have no effect.
+ *
+ * No notification is received in the following cases:
+ *
+ * if a saved state was never recorded ({@link ISaveContext#needDelta()}
+ * was not called)
+ * a saved state has since been forgotten (using {@link IWorkspace#forgetSavedTree(String)})
+ * a saved state has been deemed too old or has become invalid
+ *
+ *
+ * All clients should have a contingency plan in place in case
+ * a changes are not available (the case should be very similar
+ * to the first time a plug-in is activated, and only has the
+ * current state of the workspace to work from).
+ *
+ *
+ * The supplied event is of type {@link IResourceChangeEvent#POST_BUILD}
+ * and contains the delta detailing changes since this plug-in last participated
+ * in a save. This event object (and the resource delta within it) is valid only
+ * for the duration of the invocation of this method.
+ *
+ *
+ * @param listener the listener
+ * @see ISaveContext#needDelta()
+ * @see IResourceChangeListener
+ */
+ public void processResourceChangeEvents(IResourceChangeListener listener);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IStorage.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IStorage.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,68 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.io.InputStream;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A storage object represents a set of bytes which can be accessed.
+ * These may be in the form of an IFile
or IFileState
+ * or any other object supplied by user code. The main role of an IStorage
+ * is to provide a uniform API for access to, and presentation of, its content.
+ *
+ * Storage objects implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ * Clients may implement this interface.
+ *
+ *
+ */
+public interface IStorage extends IAdaptable {
+ /**
+ * Returns an open input stream on the contents of this storage.
+ * The caller is responsible for closing the stream when finished.
+ *
+ * @return an input stream containing the contents of this storage
+ * @exception CoreException if the contents of this storage could
+ * not be accessed. See any refinements for more information.
+ */
+ public InputStream getContents() throws CoreException;
+
+ /**
+ * Returns the full path of this storage. The returned value
+ * depends on the implementor/extender. A storage need not
+ * have a path.
+ *
+ * @return the path related to the data represented by this storage or
+ * null
if none.
+ */
+ public IPath getFullPath();
+
+ /**
+ * Returns the name of this storage.
+ * The name of a storage is synonymous with the last segment
+ * of its full path though if the storage does not have a path,
+ * it may still have a name.
+ *
+ * @return the name of the data represented by this storage,
+ * or null
if this storage has no name
+ * @see #getFullPath()
+ */
+ public String getName();
+
+ /**
+ * Returns whether this storage is read-only.
+ *
+ * @return true
if this storage is read-only
+ */
+ public boolean isReadOnly();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISynchronizer.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ISynchronizer.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,135 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.QualifiedName;
+
+/**
+ * A synchronizer which maintains a list of registered partners and, on behalf of
+ * each partner, it keeps resource level synchronization information
+ * (a byte array). Sync info is saved only when the workspace is saved.
+ *
+ * @see IWorkspace#getSynchronizer()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface ISynchronizer {
+ /**
+ * Visits the given resource and its descendents with the specified visitor
+ * if sync information for the given sync partner is found on the resource. If
+ * sync information for the given sync partner is not found on the resource,
+ * still visit the children of the resource if the depth specifies to do so.
+ *
+ * @param partner the sync partner name
+ * @param start the parent resource to start the visitation
+ * @param visitor the visitor to use when visiting the resources
+ * @param depth the depth to which members of this resource should be
+ * visited. One of IResource.DEPTH_ZERO
, IResource.DEPTH_ONE
,
+ * or IResource.DEPTH_INFINITE
.
+ * @exception CoreException if this operation fails. Reasons include:
+ *
+ * The resource does not exist.
+ * IResourceStatus.PARTNER_NOT_REGISTERED
+ The sync partner is not registered.
+ *
+ */
+ public void accept(QualifiedName partner, IResource start, IResourceVisitor visitor, int depth) throws CoreException;
+
+ /**
+ * Adds the named synchronization partner to this synchronizer's
+ * registry of partners. Once a partner's name has been registered, sync
+ * information can be set and retrieve on resources relative to the name.
+ * Adding a sync partner multiple times has no effect.
+ *
+ * @param partner the partner name to register
+ * @see #remove(QualifiedName)
+ */
+ public void add(QualifiedName partner);
+
+ /**
+ * Discards the named partner's synchronization information
+ * associated with the specified resource and its descendents to the
+ * specified depth.
+ *
+ * @param partner the sync partner name
+ * @param resource the resource
+ * @param depth the depth to which members of this resource should be
+ * visited. One of IResource.DEPTH_ZERO
, IResource.DEPTH_ONE
,
+ * or IResource.DEPTH_INFINITE
.
+ * @exception CoreException if this operation fails. Reasons include:
+ *
+ * The resource does not exist.
+ * IResourceStatus.PARTNER_NOT_REGISTERED
+ The sync partner is not registered.
+ *
+ */
+ public void flushSyncInfo(QualifiedName partner, IResource resource, int depth) throws CoreException;
+
+ /**
+ * Returns a list of synchronization partner names currently registered
+ * with this synchronizer. Returns an empty array if there are no
+ * registered sync partners.
+ *
+ * @return a list of sync partner names
+ */
+ public QualifiedName[] getPartners();
+
+ /**
+ * Returns the named sync partner's synchronization information for the given resource.
+ * Returns null
if no information is found.
+ *
+ * @param partner the sync partner name
+ * @param resource the resource
+ * @return the synchronization information, or null
if none
+ * @exception CoreException if this operation fails. Reasons include:
+ *
+ * IResourceStatus.PARTNER_NOT_REGISTERED
+ The sync partner is not registered.
+ *
+ */
+ public byte[] getSyncInfo(QualifiedName partner, IResource resource) throws CoreException;
+
+ /**
+ * Removes the named synchronization partner from this synchronizer's
+ * registry. Does nothing if the partner is not registered.
+ * This discards all sync information for the defunct partner.
+ * After a partner has been unregistered, sync information for it can no
+ * longer be stored on resources.
+ *
+ * @param partner the partner name to remove from the registry
+ * @see #add(QualifiedName)
+ */
+ public void remove(QualifiedName partner);
+
+ /**
+ * Sets the named sync partner's synchronization information for the given resource.
+ * If the given info is non-null
and the resource neither exists
+ * nor is a phantom, this method creates a phantom resource to hang on to the info.
+ * If the given info is null
, any sync info for the resource stored by the
+ * given sync partner is discarded; in some cases, this may result in the deletion
+ * of a phantom resource if there is no more sync info to maintain for that resource.
+ *
+ * Sync information is not stored on the workspace root. Attempts to set information
+ * on the root will be ignored.
+ *
+ *
+ * @param partner the sync partner name
+ * @param resource the resource
+ * @param info the synchronization information, or null
+ * @exception CoreException if this operation fails. Reasons include:
+ *
+ * IResourceStatus.PARTNER_NOT_REGISTERED
+ The sync partner is not registered.
+ *
+ */
+ public void setSyncInfo(QualifiedName partner, IResource resource, byte[] info) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspace.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspace.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,1595 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ * Red Hat Incorporated - loadProjectDescription(InputStream)
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.io.InputStream;
+import java.net.URI;
+import java.util.Map;
+import org.eclipse.core.resources.team.FileModificationValidationContext;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+import org.eclipse.core.runtime.jobs.LockListener;
+
+/**
+ * Workspaces are the basis for Eclipse Platform resource management. There is
+ * only one workspace per running platform. All resources exist in the context
+ * of this workspace.
+ *
+ * A workspace corresponds closely to discreet areas in the local file system.
+ * Each project in a workspace maps onto a specific area of the file system. The
+ * folders and files within a project map directly onto the corresponding
+ * directories and files in the file system. One sub-directory, the workspace
+ * metadata area, contains internal information about the workspace and its
+ * resources. This metadata area should be accessed only by the Platform or via
+ * Platform API calls.
+ *
+ *
+ * Workspaces add value over using the file system directly in that they allow
+ * for comprehensive change tracking (through IResourceDelta
s),
+ * various forms of resource metadata (e.g., markers and properties) as well as
+ * support for managing application/tool state (e.g., saving and restoring).
+ *
+ *
+ * The workspace as a whole is thread safe and allows one writer concurrent with
+ * multiple readers. It also supports mechanisms for saving and snapshooting the
+ * current resource state.
+ *
+ *
+ * The workspace is provided by the Resources plug-in and is automatically
+ * created when that plug-in is activated. The default workspace data area
+ * (i.e., where its resources are stored) overlap exactly with the platform's
+ * data area. That is, by default, the workspace's projects are found directly
+ * in the platform's data area. Individual project locations can be specified
+ * explicitly.
+ *
+ *
+ * The workspace resource namespace is always case-sensitive and
+ * case-preserving. Thus the workspace allows multiple sibling resources to exist
+ * with names that differ only in case. The workspace also imposes no
+ * restrictions on valid characters in resource names, the length of resource names,
+ * or the size of resources on disk. In situations where one or more resources
+ * are stored in a file system that is not case-sensitive, or that imposes restrictions
+ * on resource names, any failure to store or retrieve those resources will
+ * be propagated back to the caller of workspace API.
+ *
+ *
+ * Workspaces implement the IAdaptable
interface; extensions are
+ * managed by the platform's adapter manager.
+ *
+ *
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IWorkspace extends IAdaptable {
+ /**
+ * flag constant (bit mask value 1) indicating that resource change
+ * notifications should be avoided during the invocation of a compound
+ * resource changing operation.
+ *
+ * @see IWorkspace#run(IWorkspaceRunnable, ISchedulingRule, int, IProgressMonitor)
+ * @since 3.0
+ */
+ public static final int AVOID_UPDATE = 1;
+
+ /**
+ * Constant that can be passed to {@link #validateEdit(org.eclipse.core.resources.IFile[], Object)}
+ * to indicate that the caller does not have access to a UI context but would still
+ * like to have UI-based validation if possible.
+ * @since 3.3
+ * @see #validateEdit(IFile[], Object)
+ */
+ public static final Object VALIDATE_PROMPT = FileModificationValidationContext.VALIDATE_PROMPT;
+
+ /**
+ * The name of the IWorkspace OSGi service (value "org.eclipse.core.resources.IWorkspace").
+ * @since 3.5
+ */
+ public static final String SERVICE_NAME = IWorkspace.class.getName();
+
+ /**
+ * Adds the given listener for resource change events to this workspace. Has
+ * no effect if an identical listener is already registered.
+ *
+ * This method is equivalent to:
+ *
+ *
+ * addResourceChangeListener(listener, IResourceChangeEvent.PRE_CLOSE | IResourceChangeEvent.PRE_DELETE | IResourceChangeEvent.POST_CHANGE);
+ *
+ *
+ *
+ *
+ * @param listener the listener
+ * @see IResourceChangeListener
+ * @see IResourceChangeEvent
+ * @see #addResourceChangeListener(IResourceChangeListener, int)
+ * @see #removeResourceChangeListener(IResourceChangeListener)
+ */
+ public void addResourceChangeListener(IResourceChangeListener listener);
+
+ /**
+ * Adds the given listener for the specified resource change events to this
+ * workspace. Has no effect if an identical listener is already registered
+ * for these events. After completion of this method, the given listener
+ * will be registered for exactly the specified events. If they were
+ * previously registered for other events, they will be de-registered.
+ *
+ * Once registered, a listener starts receiving notification of changes to
+ * resources in the workspace. The resource deltas in the resource change
+ * event are rooted at the workspace root. Most resource change
+ * notifications occur well after the fact; the exception is
+ * pre-notification of impending project closures and deletions. The
+ * listener continues to receive notifications until it is replaced or
+ * removed.
+ *
+ *
+ * Listeners can listen for several types of event as defined in
+ * IResourceChangeEvent
. Clients are free to register for
+ * any number of event types however if they register for more than one, it
+ * is their responsibility to ensure they correctly handle the case where
+ * the same resource change shows up in multiple notifications. Clients are
+ * guaranteed to receive only the events for which they are registered.
+ *
+ *
+ * @param listener the listener
+ * @param eventMask the bit-wise OR of all event types of interest to the
+ * listener
+ * @see IResourceChangeListener
+ * @see IResourceChangeEvent
+ * @see #removeResourceChangeListener(IResourceChangeListener)
+ */
+ public void addResourceChangeListener(IResourceChangeListener listener, int eventMask);
+
+ /**
+ * Registers the given plug-in's workspace save participant, and returns an
+ * object describing the workspace state at the time of the last save in
+ * which the plug-in participated.
+ *
+ * Once registered, the workspace save participant will actively participate
+ * in the saving of this workspace.
+ *
+ *
+ * @param plugin the plug-in
+ * @param participant the participant
+ * @return the last saved state in which the plug-in participated, or
+ * null
if the plug-in has not participated before
+ * @exception CoreException if the method fails to add the participant.
+ * Reasons include:
+ *
+ * The previous state could not be recovered.
+ *
+ * @see ISaveParticipant
+ * @see #removeSaveParticipant(Plugin)
+ */
+ public ISavedState addSaveParticipant(Plugin plugin, ISaveParticipant participant) throws CoreException;
+
+ /**
+ * Builds all projects in this workspace. Projects are built in the order
+ * specified in this workspace's description. Projects not mentioned in the
+ * order or for which the order cannot be determined are built in an
+ * undefined order after all other projects have been built. If no order is
+ * specified, the workspace computes an order determined by project
+ * references.
+ *
+ * This method may change resources; these changes will be reported in a
+ * subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param kind the kind of build being requested. Valid values are
+ *
+ * {@link IncrementalProjectBuilder#FULL_BUILD}- indicates a full build.
+ * {@link IncrementalProjectBuilder#INCREMENTAL_BUILD}- indicates a incremental build.
+ * {@link IncrementalProjectBuilder#CLEAN_BUILD}- indicates a clean request. Clean does
+ * not actually build anything, but rather discards all problems and build states.
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if the build fails.
+ * The status contained in the exception may be a generic {@link IResourceStatus#BUILD_FAILED}
+ * code, but it could also be any other status code; it might
+ * also be a {@link MultiStatus}.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ *
+ * @see IProject#build(int, IProgressMonitor)
+ * @see #computeProjectOrder(IProject[])
+ * @see IncrementalProjectBuilder#FULL_BUILD
+ * @see IncrementalProjectBuilder#INCREMENTAL_BUILD
+ * @see IncrementalProjectBuilder#CLEAN_BUILD
+ * @see IResourceRuleFactory#buildRule()
+ */
+ public void build(int kind, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Checkpoints the operation currently in progress. This method is used in
+ * the middle of a group of operations to force a background autobuild (if
+ * the build argument is true) and send an interim notification of resource
+ * change events.
+ *
+ * When invoked in the dynamic scope of a call to the
+ * IWorkspace.run
method, this method reports a single
+ * resource change event describing the net effect of all changes done to
+ * resources since the last round of notifications. When the outermost
+ * run
method eventually completes, it will do another
+ * autobuild (if enabled) and report the resource changes made after this
+ * call.
+ *
+ *
+ * This method has no effect if invoked outside the dynamic scope of a call
+ * to the IWorkspace.run
method.
+ *
+ *
+ * This method should be used under controlled circumstance (e.g., to break
+ * up extremely long-running operations).
+ *
+ *
+ * @param build whether or not to run a build
+ * @see IWorkspace#run(IWorkspaceRunnable, ISchedulingRule, int, IProgressMonitor)
+ */
+ public void checkpoint(boolean build);
+
+ /**
+ * Returns the prerequisite ordering of the given projects. The computation
+ * is done by interpreting project references as dependency relationships.
+ * For example if A references B and C, and C references B, this method,
+ * given the list A, B, C will return the order B, C, A. That is, projects
+ * with no dependencies are listed first.
+ *
+ * The return value is a two element array of project arrays. The first
+ * project array is the list of projects which could be sorted (as outlined
+ * above). The second element of the return value is an array of the
+ * projects which are ambiguously ordered (e.g., they are part of a cycle).
+ *
+ *
+ * Cycles and ambiguities are handled by elimination. Projects involved in
+ * cycles are simply cut out of the ordered list and returned in an
+ * undefined order. Closed and non-existent projects are ignored and do not
+ * appear in the returned value at all.
+ *
+ *
+ * @param projects the projects to order
+ * @return the projects in sorted order and a list of projects which could
+ * not be ordered
+ * @deprecated Replaced by IWorkspace.computeProjectOrder
,
+ * which produces a more usable result when there are cycles in project
+ * reference graph.
+ */
+ public IProject[][] computePrerequisiteOrder(IProject[] projects);
+
+ /**
+ * Data structure for holding the multi-part outcome of
+ * IWorkspace.computeProjectOrder
.
+ *
+ * This class is not intended to be instantiated by clients.
+ *
+ *
+ * @see IWorkspace#computeProjectOrder(IProject[])
+ * @since 2.1
+ */
+ public final class ProjectOrder {
+ /**
+ * Creates an instance with the given values.
+ *
+ * This class is not intended to be instantiated by clients.
+ *
+ *
+ * @param projects initial value of projects
field
+ * @param hasCycles initial value of hasCycles
field
+ * @param knots initial value of knots
field
+ */
+ public ProjectOrder(IProject[] projects, boolean hasCycles, IProject[][] knots) {
+ this.projects = projects;
+ this.hasCycles = hasCycles;
+ this.knots = knots;
+ }
+
+ /**
+ * A list of projects ordered so as to honor the project reference
+ * relationships between these projects wherever possible. The elements
+ * are a subset of the ones passed as the projects
+ * parameter to IWorkspace.computeProjectOrder
, where
+ * inaccessible (closed or non-existent) projects have been omitted.
+ */
+ public IProject[] projects;
+ /**
+ * Indicates whether any of the accessible projects in
+ * projects
are involved in non-trivial cycles.
+ * true
if the project reference graph contains at least
+ * one cycle involving two or more of the projects in
+ * projects
, and false
if none of the
+ * projects in projects
are involved in cycles.
+ */
+ public boolean hasCycles;
+ /**
+ * A list of knots in the project reference graph. This list is empty if
+ * the project reference graph does not contain cycles. If the project
+ * reference graph contains cycles, each element is a knot of two or
+ * more accessible projects from projects
that are
+ * involved in a cycle of mutually dependent references.
+ */
+ public IProject[][] knots;
+ }
+
+ /**
+ * Computes a total ordering of the given projects based on both static and
+ * dynamic project references. If an existing and open project P references
+ * another existing and open project Q also included in the list, then Q
+ * should come before P in the resulting ordering. Closed and non-existent
+ * projects are ignored, and will not appear in the result. References to
+ * non-existent or closed projects are also ignored, as are any
+ * self-references. The total ordering is always consistent with the global
+ * total ordering of all open projects in the workspace.
+ *
+ * When there are choices, the choice is made in a reasonably stable way.
+ * For example, given an arbitrary choice between two projects, the one with
+ * the lower collating project name is usually selected.
+ *
+ *
+ * When the project reference graph contains cyclic references, it is
+ * impossible to honor all of the relationships. In this case, the result
+ * ignores as few relationships as possible. For example, if P2 references
+ * P1, P4 references P3, and P2 and P3 reference each other, then exactly
+ * one of the relationships between P2 and P3 will have to be ignored. The
+ * outcome will be either [P1, P2, P3, P4] or [P1, P3, P2, P4]. The result
+ * also contains complete details of any cycles present.
+ *
+ *
+ * This method is time-consuming and should not be called unnecessarily.
+ * There are a very limited set of changes to a workspace that could affect
+ * the outcome: creating, renaming, or deleting a project; opening or
+ * closing a project; adding or removing a project reference.
+ *
+ *
+ * @param projects the projects to order
+ * @return result describing the project order
+ * @since 2.1
+ */
+ public ProjectOrder computeProjectOrder(IProject[] projects);
+
+ /**
+ * Copies the given sibling resources so that they are located as members of
+ * the resource at the given path; the names of the copies are the same as
+ * the corresponding originals.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ *
+ * copy(resources, destination, (force ? IResource.FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resources have been added to the new parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to copy
+ * @param destination the destination container path
+ * @param force a flag controlling whether resources that are not in sync
+ * with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a status object with code OK
if there were no
+ * problems; otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages
+ * @exception CoreException if the method fails to copy some resources. The
+ * status contained in the exception may be a multi-status indicating where
+ * the individual failures occurred.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #copy(IResource[],IPath,int,IProgressMonitor)
+ */
+ public IStatus copy(IResource[] resources, IPath destination, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Copies the given sibling resources so that they are located as members of
+ * the resource at the given path; the names of the copies are the same as
+ * the corresponding originals.
+ *
+ * This method can be expressed as a series of calls to
+ * IResource.copy(IPath,int,IProgressMonitor)
, with "best
+ * effort" semantics:
+ *
+ * Resources are copied in the order specified, using the given update
+ * flags.
+ * Duplicate resources are only copied once.
+ * The method fails if the resources are not all siblings.
+ * The failure of an individual copy does not necessarily prevent the
+ * method from attempting to copy other resources.
+ * The method fails if there are projects among the resources.
+ * The method fails if the path of the resources is a prefix of the
+ * destination path.
+ * This method also fails if one or more of the individual resource
+ * copy steps fails.
+ *
+ *
+ *
+ * After successful completion, corresponding new resources will now exist
+ * as members of the resource at the given path.
+ *
+ *
+ * The supplied path may be absolute or relative. Absolute paths fully
+ * specify the new location for the resource, including its project.
+ * Relative paths are considered to be relative to the container of the
+ * resources being copied. A trailing separator is ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resources have been added to the new parent.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to copy
+ * @param destination the destination container path
+ * @param updateFlags bit-wise or of update flag constants
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a status object with code OK
if there were no
+ * problems; otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages
+ * @exception CoreException if the method fails to copy some resources. The
+ * status contained in the exception may be a multi-status indicating where
+ * the individual failures occurred. Reasons include:
+ *
+ * One of the resources does not exist.
+ * The resources are not siblings.
+ * One of the resources, or one of its descendents, is not local.
+ * The resource corresponding to the destination path does not exist.
+ *
+ * The resource corresponding to the parent destination path is a
+ * closed project.
+ * A corresponding target resource does exist.
+ * A resource of a different type exists at the target path.
+ * One of the resources is a project.
+ * The path of one of the resources is a prefix of the destination
+ * path.
+ * One of the resources, or one of its descendents, is out of sync with
+ * the local file system and FORCE
is not specified.
+ * Resource changes are disallowed during certain types of resource
+ * change event notification. See IResourceChangeEvent
for
+ * more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#copy(IPath,int,IProgressMonitor)
+ * @see IResourceRuleFactory#copyRule(IResource, IResource)
+ * @since 2.0
+ */
+ public IStatus copy(IResource[] resources, IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes the given resources.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ *
+ * delete(resources, IResource.KEEP_HISTORY | (force ? IResource.FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to delete
+ * @param force a flag controlling whether resources that are not in sync
+ * with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return status with code OK
if there were no problems;
+ * otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages
+ * @exception CoreException if the method fails to delete some resource. The
+ * status contained in the exception is a multi-status indicating where the
+ * individual failures occurred.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #delete(IResource[],int,IProgressMonitor)
+ */
+ public IStatus delete(IResource[] resources, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Deletes the given resources.
+ *
+ * This method can be expressed as a series of calls to
+ * IResource.delete(int,IProgressMonitor)
.
+ *
+ *
+ * The semantics of multiple deletion are:
+ *
+ * Resources are deleted in the order presented, using the given update
+ * flags.
+ * Resources that do not exist are ignored.
+ * An individual deletion fails if the resource still exists
+ * afterwards.
+ * The failure of an individual deletion does not prevent the method
+ * from attempting to delete other resources.
+ * This method fails if one or more of the individual resource
+ * deletions fails; that is, if at least one of the resources in the list
+ * still exists at the end of this method.
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to delete
+ * @param updateFlags bit-wise or of update flag constants
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return status with code OK
if there were no problems;
+ * otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages
+ * @exception CoreException if the method fails to delete some resource. The
+ * status contained in the exception is a multi-status indicating where the
+ * individual failures occurred.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ * @see IResourceRuleFactory#deleteRule(IResource)
+ * @since 2.0
+ */
+ public IStatus delete(IResource[] resources, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Removes the given markers from the resources with which they are
+ * associated. Markers that do not exist are ignored.
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event.
+ *
+ *
+ * @param markers the markers to remove
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * Resource changes are disallowed during certain types of resource
+ * change event notification. See IResourceChangeEvent
for
+ * more details.
+ *
+ * @see IResourceRuleFactory#markerRule(IResource)
+ */
+ public void deleteMarkers(IMarker[] markers) throws CoreException;
+
+ /**
+ * Forgets any resource tree being saved for the plug-in with the given
+ * name. If the plug-in id is null
, all trees are forgotten.
+ *
+ * Clients should not call this method unless they have a reason to do so. A
+ * plug-in which uses ISaveContext.needDelta
in the process
+ * of a save indicates that it would like to be fed the resource delta the
+ * next time it is reactivated. If a plug-in never gets reactivated (or if
+ * it fails to successfully register to participate in workspace saves), the
+ * workspace nevertheless retains the necessary information to generate the
+ * resource delta if asked. This method allows such a long term leak to be
+ * plugged.
+ *
+ *
+ * @param pluginId the unique identifier of the plug-in, or null
+ * @see ISaveContext#needDelta()
+ */
+ public void forgetSavedTree(String pluginId);
+
+ /**
+ * Returns all nature descriptors known to this workspace. Returns an empty
+ * array if there are no installed natures.
+ *
+ * @return the nature descriptors known to this workspace
+ * @since 2.0
+ */
+ public IProjectNatureDescriptor[] getNatureDescriptors();
+
+ /**
+ * Returns the nature descriptor with the given unique identifier, or
+ * null
if there is no such nature.
+ *
+ * @param natureId the nature extension identifier (e.g.
+ * "com.example.coolNature"
).
+ * @return the nature descriptor, or null
+ * @since 2.0
+ */
+ public IProjectNatureDescriptor getNatureDescriptor(String natureId);
+
+ /**
+ * Finds all dangling project references in this workspace. Projects which
+ * are not open are ignored. Returns a map with one entry for each open
+ * project in the workspace that has at least one dangling project
+ * reference; the value of the entry is an array of projects which are
+ * referenced by that project but do not exist in the workspace. Returns an
+ * empty Map if there are no projects in the workspace.
+ *
+ * @return a map (key type: IProject
, value type:
+ * IProject[]
) from project to dangling project references
+ */
+ public Map getDanglingReferences();
+
+ /**
+ * Returns the workspace description. This object is responsible for
+ * defining workspace preferences. The returned value is a modifiable copy
+ * but changes are not automatically applied to the workspace. In order to
+ * changes take effect, IWorkspace.setDescription
needs to be
+ * called. The workspace description values are store in the preference
+ * store.
+ *
+ * @return the workspace description
+ * @see #setDescription(IWorkspaceDescription)
+ */
+ public IWorkspaceDescription getDescription();
+
+ /**
+ * Returns the root resource of this workspace.
+ *
+ * @return the workspace root
+ */
+ public IWorkspaceRoot getRoot();
+
+ /**
+ * Returns a factory for obtaining scheduling rules prior to modifying
+ * resources in the workspace.
+ *
+ * @see IResourceRuleFactory
+ * @return a resource rule factory
+ * @since 3.0
+ */
+ public IResourceRuleFactory getRuleFactory();
+
+ /**
+ * Returns the synchronizer for this workspace.
+ *
+ * @return the synchronizer
+ * @see ISynchronizer
+ */
+ public ISynchronizer getSynchronizer();
+
+ /**
+ * Returns whether this workspace performs autobuilds.
+ *
+ * @return true
if autobuilding is on, false
+ * otherwise
+ */
+ public boolean isAutoBuilding();
+
+ /**
+ * Returns whether the workspace tree is currently locked. Resource changes
+ * are disallowed during certain types of resource change event
+ * notification. See IResourceChangeEvent
for more details.
+ *
+ * @return boolean true
if the workspace tree is locked,
+ * false
otherwise
+ * @see IResourceChangeEvent
+ * @since 2.1
+ */
+ public boolean isTreeLocked();
+
+ /**
+ * Reads the project description file (".project") from the given location
+ * in the local file system. This object is useful for discovering the
+ * correct name for a project before importing it into the workspace.
+ *
+ * The returned value is writeable.
+ *
+ *
+ * @param projectDescriptionFile the path in the local file system of an
+ * existing project description file
+ * @return a new project description
+ * @exception CoreException if the operation failed. Reasons include:
+ *
+ * The project description file does not exist.
+ * The file cannot be opened or read.
+ * The file cannot be parsed as a legal project description.
+ *
+ * @see #newProjectDescription(String)
+ * @see IProject#getDescription()
+ * @since 2.0
+ */
+ public IProjectDescription loadProjectDescription(IPath projectDescriptionFile) throws CoreException;
+
+ /**
+ * Reads the project description file (".project") from the given InputStream.
+ * This object will not attempt to set the location since the project may not
+ * have a valid location on the local file system.
+ * This object is useful for discovering the correct name for a project before
+ * importing it into the workspace.
+ *
+ * The returned value is writeable.
+ *
+ *
+ * @param projectDescriptionFile an InputStream pointing to an existing project
+ * description file
+ * @return a new project description
+ * @exception CoreException if the operation failed. Reasons include:
+ *
+ * The stream could not be read.
+ * The stream does not contain a legal project description.
+ *
+ * @see #newProjectDescription(String)
+ * @see IProject#getDescription()
+ * @see IWorkspace#loadProjectDescription(IPath)
+ * @since 3.1
+ */
+ public IProjectDescription loadProjectDescription(InputStream projectDescriptionFile) throws CoreException;
+
+ /**
+ * Moves the given sibling resources so that they are located as members of
+ * the resource at the given path; the names of the new members are the
+ * same.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ *
+ * move(resources, destination, IResource.KEEP_HISTORY | (force ? IResource.FORCE : IResource.NONE), monitor);
+ *
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resources have been removed from their parent and that corresponding
+ * resources have been added to the new parent. Additional information
+ * provided with resource delta shows that these additions and removals are
+ * pairwise related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to move
+ * @param destination the destination container path
+ * @param force a flag controlling whether resources that are not in sync
+ * with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return status with code OK
if there were no problems;
+ * otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages.
+ * @exception CoreException if the method fails to move some resources. The
+ * status contained in the exception may be a multi-status indicating where
+ * the individual failures occurred.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #move(IResource[],IPath,int,IProgressMonitor)
+ */
+ public IStatus move(IResource[] resources, IPath destination, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Moves the given sibling resources so that they are located as members of
+ * the resource at the given path; the names of the new members are the
+ * same.
+ *
+ * This method can be expressed as a series of calls to
+ * IResource.move
, with "best effort" semantics:
+ *
+ * Resources are moved in the order specified.
+ * Duplicate resources are only moved once.
+ * The force
flag has the same meaning as it does on the
+ * corresponding single-resource method.
+ * The method fails if the resources are not all siblings.
+ * The method fails the path of any of the resources is a prefix of the
+ * destination path.
+ * The failure of an individual move does not necessarily prevent the
+ * method from attempting to move other resources.
+ * This method also fails if one or more of the individual resource
+ * moves fails; that is, if at least one of the resources in the list still
+ * exists at the end of this method.
+ * History is kept for moved files. When projects are moved, no history
+ * is kept
+ *
+ *
+ *
+ * After successful completion, the resources and descendents will no longer
+ * exist; but corresponding new resources will now exist as members of the
+ * resource at the given path.
+ *
+ *
+ * The supplied path may be absolute or relative. Absolute paths fully
+ * specify the new location for the resource, including its project.
+ * Relative paths are considered to be relative to the container of the
+ * resources being moved. A trailing separator is ignored.
+ *
+ *
+ * This method changes resources; these changes will be reported in a
+ * subsequent resource change event that will include an indication that the
+ * resources have been removed from their parent and that corresponding
+ * resources have been added to the new parent. Additional information
+ * provided with resource delta shows that these additions and removals are
+ * pairwise related.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor.
+ *
+ *
+ * @param resources the resources to move
+ * @param destination the destination container path
+ * @param updateFlags bit-wise or of update flag constants
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return status with code OK
if there were no problems;
+ * otherwise a description (possibly a multi-status) consisting of
+ * low-severity warnings or informational messages.
+ * @exception CoreException if the method fails to move some resources. The
+ * status contained in the exception may be a multi-status indicating where
+ * the individual failures occurred. Reasons include:
+ *
+ * One of the resources does not exist.
+ * The resources are not siblings.
+ * One of the resources, or one of its descendents, is not local.
+ * The resource corresponding to the destination path does not exist.
+ *
+ * The resource corresponding to the parent destination path is a
+ * closed project.
+ * A corresponding target resource does exist.
+ * A resource of a different type exists at the target path.
+ * The path of one of the resources is a prefix of the destination
+ * path.
+ * One of the resources, or one of its descendents, is out of sync with
+ * the local file system and FORCE
is false
.
+ *
+ * Resource changes are disallowed during certain types of resource
+ * change event notification. See IResourceChangeEvent
for
+ * more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#move(IPath,int,IProgressMonitor)
+ * @see IResourceRuleFactory#moveRule(IResource, IResource)
+ * @since 2.0
+ */
+ public IStatus move(IResource[] resources, IPath destination, int updateFlags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Creates and returns a new project description for a project with the
+ * given name. This object is useful when creating, moving or copying
+ * projects.
+ *
+ * The project description is initialized to:
+ *
+ * the given project name
+ * no references to other projects
+ * an empty build spec
+ * an empty comment
+ *
+ *
+ *
+ * The returned value is writeable.
+ *
+ *
+ * @param projectName the name of the project
+ * @return a new project description
+ * @see IProject#getDescription()
+ * @see IProject#create(IProjectDescription, IProgressMonitor)
+ * @see IResource#copy(IProjectDescription, int, IProgressMonitor)
+ * @see IProject#move(IProjectDescription, boolean, IProgressMonitor)
+ */
+ public IProjectDescription newProjectDescription(String projectName);
+
+ /**
+ * Removes the given resource change listener from this workspace. Has no
+ * effect if an identical listener is not registered.
+ *
+ * @param listener the listener
+ * @see IResourceChangeListener
+ * @see #addResourceChangeListener(IResourceChangeListener)
+ */
+ public void removeResourceChangeListener(IResourceChangeListener listener);
+
+ /**
+ * Removes the workspace save participant for the given plug-in from this
+ * workspace. If no such participant is registered, no action is taken.
+ *
+ * Once removed, the workspace save participant no longer actively
+ * participates in any future saves of this workspace.
+ *
+ *
+ * @param plugin the plug-in
+ * @see ISaveParticipant
+ * @see #addSaveParticipant(Plugin, ISaveParticipant)
+ */
+ public void removeSaveParticipant(Plugin plugin);
+
+ /**
+ * Runs the given action as an atomic workspace operation.
+ *
+ * After running a method that modifies resources in the workspace,
+ * registered listeners receive after-the-fact notification of what just
+ * transpired, in the form of a resource change event. This method allows
+ * clients to call a number of methods that modify resources and only have
+ * resource change event notifications reported at the end of the entire
+ * batch.
+ *
+ *
+ * If this method is called outside the dynamic scope of another such call,
+ * this method runs the action and then reports a single resource change
+ * event describing the net effect of all changes done to resources by the
+ * action.
+ *
+ *
+ * If this method is called in the dynamic scope of another such call, this
+ * method simply runs the action.
+ *
+ *
+ * The supplied scheduling rule is used to determine whether this operation
+ * can be run simultaneously with workspace changes in other threads. If the
+ * scheduling rule conflicts with another workspace change that is currently
+ * running, the calling thread will be blocked until that change completes.
+ * If the action attempts to make changes to the workspace that were not
+ * specified in the scheduling rule, it will fail. If no scheduling rule is
+ * supplied, then any attempt to change resources will fail. If a non-null
+ * scheduling rule is supplied, this operation must always support cancelation
+ * in the case where this operation becomes blocked by a long running background
+ * operation.
+ *
+ *
+ * The AVOID_UPDATE flag controls whether periodic resource change
+ * notifications should occur during the scope of this call. If this flag is
+ * specified, and no other threads modify the workspace concurrently, then
+ * all resource change notifications will be deferred until the end of this
+ * call. If this flag is not specified, the platform may decide to broadcast
+ * periodic resource change notifications during the scope of this call.
+ *
+ *
+ * Flags other than AVOID_UPDATE
are ignored.
+ *
+ *
+ * @param action the action to perform
+ * @param rule the scheduling rule to use when running this operation, or
+ * null
if there are no scheduling restrictions for this
+ * operation.
+ * @param flags bit-wise or of flag constants (only AVOID_UPDATE is relevant
+ * here)
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired.
+ * @exception CoreException if the operation failed.
+ * @exception OperationCanceledException if the operation is canceled. If a
+ * non-null
scheduling rule is supplied, cancelation can occur
+ * even if no progress monitor is provided.
+ *
+ * @see #AVOID_UPDATE
+ * @see IResourceRuleFactory
+ * @since 3.0
+ */
+ public void run(IWorkspaceRunnable action, ISchedulingRule rule, int flags, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Runs the given action as an atomic workspace operation.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ *
+ * workspace.run(action, workspace.getRoot(), IWorkspace.AVOID_UPDATE, monitor);
+ *
+ *
+ *
+ *
+ * @param action the action to perform
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if the operation failed.
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ */
+ public void run(IWorkspaceRunnable action, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Saves this workspace's valuable state on disk. Consults with all
+ * registered plug-ins so that they can coordinate the saving of their
+ * persistent state as well.
+ *
+ * The full
parameter indicates whether a full save or a
+ * snapshot is being requested. Snapshots save the workspace information
+ * that is considered hard to be recomputed in the unlikely event of a
+ * crash. It includes parts of the workspace tree, workspace and projects
+ * descriptions, markers and sync information. Full saves are heavy weight
+ * operations which save the complete workspace state.
+ *
+ *
+ * To ensure that all outstanding changes to the workspace have been
+ * reported to interested parties prior to saving, a full save cannot be
+ * used within the dynamic scope of an IWorkspace.run
+ * invocation. Snapshots can be called any time and are interpreted by the
+ * workspace as a hint that a snapshot is required. The workspace will
+ * perform the snapshot when possible. Even as a hint, snapshots should only
+ * be called when necessary as they impact system performance. Although
+ * saving does not change the workspace per se, its execution is serialized
+ * like methods that write the workspace.
+ *
+ *
+ * The workspace is comprised of several different kinds of data with
+ * varying degrees of importance. The most important data, the resources
+ * themselves and their persistent properties, are written to disk
+ * immediately; other data are kept in volatile memory and only written to
+ * disk periodically; and other data are maintained in memory and never
+ * written out. The following table summarizes what gets saved when:
+ *
+ * creating or deleting resource - immediately
+ * setting contents of file - immediately
+ * changes to project description - immediately
+ * session properties - never
+ * changes to persistent properties - immediately
+ * markers -save
+ * synchronizer info -save
+ * shape of the workspace resource tree -save
+ * list of active plug-ins - never
+ *
+ * Resource-based plug-in also have data with varying degrees of importance.
+ * Each plug-in gets to decide the policy for protecting its data, either
+ * immediately, never, or at save
time. For the latter, the
+ * plug-in coordinates its actions with the workspace (see
+ * ISaveParticipant
for details).
+ *
+ *
+ * If the platform is shutdown (or crashes) after saving the workspace, any
+ * information written to disk by the last successful workspace
+ * save
will be restored the next time the workspace is
+ * reopened for the next session. Naturally, information that is written to
+ * disk immediately will be as of the last time it was changed.
+ *
+ *
+ * The workspace provides a general mechanism for keeping concerned parties
+ * apprised of any and all changes to resources in the workspace (
+ * IResourceChangeListener
). It is even possible for a
+ * plug-in to find out about changes to resources that happen between
+ * workspace sessions (see IWorkspace.addSaveParticipant
).
+ *
+ *
+ * At certain points during this method, the entire workspace resource tree
+ * must be locked to prevent resources from being changed (read access to
+ * resources is permitted).
+ *
+ *
+ * Implementation note: The execution sequence is as follows.
+ *
+ * A long-term lock on the workspace is taken out to prevent further
+ * changes to workspace until the save is done.
+ * The list of saveable resource tree snapshots is initially empty.
+ *
+ * A different ISaveContext
object is created for each
+ * registered workspace save participant plug-in, reflecting the kind of
+ * save (ISaveContext.getKind
), the previous save number in
+ * which this plug-in actively participated, and the new save number (=
+ * previous save number plus 1).
+ * Each registered workspace save participant is sent
+ * prepareToSave(context)
, passing in its own context
+ * object.
+ *
+ * Plug-in suspends all activities until further notice.
+ *
+ * If prepareToSave
fails (throws an exception), the problem
+ * is logged and the participant is marked as unstable.
+ * In dependent-before-prerequisite order, each registered workspace
+ * save participant is sent saving(context)
, passing in its
+ * own context object.
+ *
+ * Plug-in decides whether it wants to actively participate in this
+ * save. The plug-in only needs to actively participate if some of its
+ * important state has changed since the last time it actively participated.
+ * If it does decide to actively participate, it writes its important state
+ * to a brand new file in its plug-in state area under a generated file name
+ * based on context.getStateNumber()
and calls
+ * context.needStateNumber()
to indicate that it has actively
+ * participated. If upon reactivation the plug-in will want a resource delta
+ * covering all changes between now and then, the plug-in should invoke
+ * context.needDelta()
to request this now; otherwise, a
+ * resource delta for the intervening period will not be available on
+ * reactivation.
+ *
+ * If saving
fails (throws an exception), the problem is
+ * logged and the participant is marked as unstable.
+ * The plug-in save table contains an entry for each plug-in that has
+ * registered to participate in workspace saves at some time in the past
+ * (the list of plug-ins increases monotonically). Each entry records the
+ * save number of the last successful save in which that plug-in actively
+ * participated, and, optionally, a saved resource tree (conceptually, this
+ * is a complete tree; in practice, it is compressed into a special delta
+ * tree representation). A copy of the plug-in save table is made. Entries
+ * are created or modified for each registered plug-in to record the
+ * appropriate save number (either the previous save number, or the previous
+ * save number plus 1, depending on whether the participant was active and
+ * asked for a new number).
+ * The workspace tree, the modified copy of the plug-in save table, all
+ * markers, etc. and all saveable resource tree snapshots are written to
+ * disk as one atomic operation .
+ * The long-term lock on the workspace is released.
+ * If the atomic save succeeded:
+ *
+ * The modified copy of the plug-in save table becomes the new plug-in
+ * save table.
+ * In prerequisite-before-dependent order, each registered workspace
+ * save participant is sent doneSaving(context)
, passing in
+ * its own context object.
+ *
+ * Plug-in may perform clean up by deleting obsolete state files in its
+ * plug-in state area.
+ * Plug-in resumes its normal activities.
+ *
+ * If doneSaving
fails (throws an exception), the problem is
+ * logged and the participant is marked as unstable. (The state number in
+ * the save table is not rolled back just because of this instability.)
+ *
+ * The workspace save operation returns.
+ *
+ * If it failed:
+ *
+ * The workspace previous state is restored.
+ * In prerequisite-before-dependent order, each registered workspace
+ * save participant is sent rollback(context)
, passing in
+ * its own context object.
+ *
+ * Plug-in may perform clean up by deleting newly-created but obsolete
+ * state file in its plug-in state area.
+ * Plug-in resumes its normal activities.
+ *
+ * If rollback
fails (throws an exception), the problem is
+ * logged and the participant is marked as unstable. (The state number in
+ * the save table is rolled back anyway.)
+ * The workspace save operation fails.
+ *
+ *
+ *
+ *
+ *
+ * After a full save, the platform can be shutdown. This will cause the
+ * Resources plug-in and all the other plug-ins to shutdown, without
+ * disturbing the saved workspace on disk.
+ *
+ *
+ * When the platform is later restarted, activating the Resources plug-in
+ * opens the saved workspace. This reads into memory the workspace's
+ * resource tree, plug-in save table, and saved resource tree snapshots
+ * (everything that was written to disk in the atomic operation above).
+ * Later, when a plug-in gets reactivated and registers to participate in
+ * workspace saves, it is handed back the info from its entry in the plug-in
+ * save table, if it has one. It gets back the number of the last save in
+ * which it actively participated and, possibly, a resource delta.
+ *
+ *
+ * The only source of long term garbage would come from a plug-in that never
+ * gets reactivated, or one that gets reactivated but fails to register for
+ * workspace saves. (There is no such problem with a plug-in that gets
+ * uninstalled; its easy enough to scrub its state areas and delete its
+ * entry in the plug-in save table.)
+ *
+ *
+ * @param full true
if this is a full save, and
+ * false
if this is only a snapshot for protecting against
+ * crashes
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a status that may contain warnings, such as the failure of an
+ * individual participant
+ * @exception CoreException if this method fails to save the state of this
+ * workspace. Reasons include:
+ *
+ * The operation cannot be batched with others.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see #addSaveParticipant(Plugin, ISaveParticipant)
+ */
+ public IStatus save(boolean full, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Sets the workspace description. Its values are stored in the preference
+ * store.
+ *
+ * @param description the new workspace description.
+ * @see #getDescription()
+ * @exception CoreException if the method fails. Reasons include:
+ *
+ * There was a problem setting the workspace description.
+ *
+ */
+ public void setDescription(IWorkspaceDescription description) throws CoreException;
+
+ /**
+ * Sets the lock to use for controlling write access to this workspace. The
+ * lock must only be set once.
+ *
+ * This method is for internal use by the platform-related plug-ins. Clients
+ * should not call this method.
+ *
+ *
+ * @param lock the lock to install on this workspace.
+ *
+ * @deprecated it is no longer possible to override the workspace lock
+ * behavior. This functionality is now provided in the platform API by
+ * subclassing the {@link LockListener} class.
+ */
+ public void setWorkspaceLock(WorkspaceLock lock);
+
+ /**
+ * Returns a copy of the given set of natures sorted in prerequisite order.
+ * For each nature, it is guaranteed that all of its prerequisites will
+ * precede it in the resulting array.
+ *
+ *
+ * Natures that are missing from the install or are involved in a
+ * prerequisite cycle are sorted arbitrarily. Duplicate nature IDs are
+ * removed, so the returned array may be smaller than the original.
+ *
+ *
+ * @param natureIds a valid set of nature extension identifiers
+ * @return the set of nature Ids sorted in prerequisite order
+ * @see #validateNatureSet(String[])
+ * @since 2.0
+ */
+ public String[] sortNatureSet(String[] natureIds);
+
+ /**
+ * Advises that the caller intends to modify the contents of the given files
+ * in the near future and asks whether modifying all these files would be
+ * reasonable. The files must all exist. This method is used to give the VCM
+ * component an opportunity to check out (or otherwise prepare) the files if
+ * required. (It is provided in this component rather than in the UI so that
+ * "core" (i.e., head-less) clients can use it. Similarly, it is located
+ * outside the VCM component for the convenience of clients that must also
+ * operate in configurations without VCM.)
+ *
+ *
+ * A client (such as an editor) should perform a validateEdit
+ * on a file whenever it finds itself in the following position: (a) the
+ * file is marked read-only, and (b) the client believes it likely (not
+ * necessarily certain) that it will modify the file's contents at some
+ * point. A case in point is an editor that has a buffer opened on a file.
+ * When the user starts to dirty the buffer, the editor should check to see
+ * whether the file is read-only. If it is, it should call
+ * validateEdit
, and can reasonably expect this call, when
+ * successful, to cause the file to become read-write. An editor should also
+ * be sensitive to a file becoming read-only again even after a successful
+ * validateEdit
(e.g., due to the user checking in the file
+ * in a different view); the editor should again call
+ * validateEdit
if the file is read-only before attempting to
+ * save the contents of the file.
+ *
+ *
+ * By passing a UI context, the caller indicates that the VCM component may
+ * contact the user to help decide how best to proceed. If no UI context is
+ * provided, the VCM component will make its decision without additional
+ * interaction with the user. If OK is returned, the caller can safely
+ * assume that all of the given files haven been prepared for modification
+ * and that there is good reason to believe that
+ * IFile.setContents
(or appendContents
)
+ * would be successful on any of them. If the result is not OK, modifying
+ * the given files might not succeed for the reason(s) indicated.
+ *
+ *
+ * If a shell is passed in as the context, the VCM component may bring up a
+ * dialogs to query the user or report difficulties; the shell should be
+ * used to parent any such dialogs; the caller may safely assume that the
+ * reasons for failure will have been made clear to the user. If
+ * {@link IWorkspace#VALIDATE_PROMPT} is passed
+ * as the context, this indicates that the caller does not have access to
+ * a UI context but would still like the user to be prompted if required.
+ * If null
is passed, the user should not be contacted; any
+ * failures should be reported via the result; the caller may chose to
+ * present these to the user however they see fit. The ideal implementation
+ * of this method is transactional; no files would be affected unless the
+ * go-ahead could be given. (In practice, there may be no feasible way to
+ * ensure such changes get done atomically.)
+ *
+ *
+ * The method calls FileModificationValidator.validateEdit
+ * for the file modification validator (if provided by the VCM plug-in).
+ * When there is no file modification validator, this method returns a
+ * status with an IResourceStatus.READ_ONLY_LOCAL
code if one
+ * of the files is read-only, and a status with an IStatus.OK
+ * code otherwise.
+ *
+ *
+ * This method may be called from any thread. If the UI context is used, it
+ * is the responsibility of the implementor of
+ * FileModificationValidator.validateEdit
to interact with
+ * the UI context in an appropriate thread.
+ *
+ *
+ * @param files the files that are to be modified; these files must all
+ * exist in the workspace
+ * @param context either {@link IWorkspace#VALIDATE_PROMPT},
+ * or the org.eclipse.swt.widgets.Shell
that is
+ * to be used to parent any dialogs with the user, or null
if
+ * there is no UI context (declared as an Object
to avoid any
+ * direct references on the SWT component)
+ * @return a status object that is OK
if things are fine,
+ * otherwise a status describing reasons why modifying the given files is not
+ * reasonable. A status with a severity of CANCEL
is returned
+ * if the validation was canceled, indicating the edit should not proceed.
+ * @see IResourceRuleFactory#validateEditRule(IResource[])
+ * @since 2.0
+ */
+ public IStatus validateEdit(IFile[] files, Object context);
+
+ /**
+ * Validates the given path as the location of the given resource on disk.
+ * The path must be either an absolute file system path, or a relative path
+ * whose first segment is the name of a defined workspace path variable. In
+ * addition to the restrictions for paths in general (see IPath.
+ * isValidPath
),
+ * a link location must also obey the following rules:
+ *
+ * must not overlap with the platform's metadata directory
+ * must not be the same as or a parent of the root directory of the
+ * project the linked resource is contained in
+ *
+ *
+ * This method also checks that the given resource can legally become a
+ * linked resource. This includes the following restrictions:
+ *
+ * must have a project as its immediate parent
+ * project natures and the team hook may disallow linked resources on
+ * projects they are associated with
+ * the global workspace preference to disable linking,
+ * ResourcesPlugin.PREF_DISABLE_LINKING
must not be set to
+ * "true" .
+ *
+ *
+ *
+ * This method will return a status with severity IStatus.ERROR
+ * if the location does not obey the above rules. Also, this method will
+ * return a status with severity IStatus.WARNING
if the
+ * location overlaps the location of any existing resource in the workspace.
+ *
+ *
+ * Note: this method does not consider whether files or directories exist in
+ * the file system at the specified path.
+ *
+ * @param resource the resource to validate the location for
+ * @param location the location of the linked resource contents on disk
+ * @return a status object with code IStatus.OK
if the given
+ * location is valid as the linked resource location, otherwise a status
+ * object with severity IStatus.WARNING
or
+ * IStatus.ERROR
indicating what is wrong with the location
+ * @see IStatus#OK
+ * @see ResourcesPlugin#PREF_DISABLE_LINKING
+ * @since 2.1
+ */
+ public IStatus validateLinkLocation(IResource resource, IPath location);
+
+ /**
+ * Validates the given {@link URI} as the location of the given resource on disk.
+ * The location must be either an absolute URI, or a relative URI
+ * whose first segment is the name of a defined workspace path variable.
+ * A link location must obey the following rules:
+ *
+ * must not overlap with the platform's metadata directory
+ * must not be the same as or a parent of the root directory of the
+ * project the linked resource is contained in
+ *
+ *
+ * This method also checks that the given resource can legally become a
+ * linked resource. This includes the following restrictions:
+ *
+ * must have a project as its immediate parent
+ * project natures and the team hook may disallow linked resources on
+ * projects they are associated with
+ * the global workspace preference to disable linking,
+ * ResourcesPlugin.PREF_DISABLE_LINKING
must not be set to
+ * "true" .
+ *
+ *
+ *
+ * This method will return a status with severity IStatus.ERROR
+ * if the location does not obey the above rules. Also, this method will
+ * return a status with severity IStatus.WARNING
if the
+ * location overlaps the location of any existing resource in the workspace.
+ *
+ *
+ * Note: this method does not consider whether files or directories exist in
+ * the file system at the specified location.
+ *
+ * @param resource the resource to validate the location for
+ * @param location the location of the linked resource contents in some file system
+ * @return a status object with code IStatus.OK
if the given
+ * location is valid as the linked resource location, otherwise a status
+ * object with severity IStatus.WARNING
or
+ * IStatus.ERROR
indicating what is wrong with the location
+ * @see IStatus#OK
+ * @see ResourcesPlugin#PREF_DISABLE_LINKING
+ * @since 3.2
+ */
+ public IStatus validateLinkLocationURI(IResource resource, URI location);
+
+ /**
+ * Validates the given string as the name of a resource valid for one of the
+ * given types.
+ *
+ * In addition to the basic restrictions on paths in general (see
+ * {@link IPath#isValidSegment(String)}), a resource name must also not
+ * contain any characters or substrings that are not valid on the file system
+ * on which workspace root is located. In addition, the names "." and ".."
+ * are reserved due to their special meaning in file system paths.
+ *
+ *
+ * This validation check is done automatically as a resource is created (but
+ * not when the resource handle is constructed); this means that any
+ * resource that exists can be safely assumed to have a valid name and path.
+ * Note that the name of the workspace root resource is inherently invalid.
+ *
+ *
+ * @param segment the name segment to be checked
+ * @param typeMask bitwise-or of the resource type constants (
+ * FILE
,FOLDER
,PROJECT
or
+ * ROOT
) indicating expected resource type(s)
+ * @return a status object with code IStatus.OK
if the given
+ * string is valid as a resource name, otherwise a status object indicating
+ * what is wrong with the string
+ * @see IResource#PROJECT
+ * @see IResource#FOLDER
+ * @see IResource#FILE
+ * @see IStatus#OK
+ */
+ public IStatus validateName(String segment, int typeMask);
+
+ /**
+ * Validates that each of the given natures exists, and that all nature
+ * constraints are satisfied within the given set.
+ *
+ * The following conditions apply to validation of a set of natures:
+ *
+ * all natures in the set exist in the plug-in registry
+ * all prerequisites of each nature are present in the set
+ * there are no cycles in the prerequisite graph of the set
+ * there are no two natures in the set that specify one-of-nature
+ * inclusion in the same group.
+ * there are no two natures in the set with the same id
+ *
+ *
+ *
+ * An empty nature set is always valid.
+ *
+ *
+ * @param natureIds an array of nature extension identifiers
+ * @return a status object with code IStatus.OK
if the given
+ * set of natures is valid, otherwise a status object indicating what is
+ * wrong with the set
+ * @since 2.0
+ */
+ public IStatus validateNatureSet(String[] natureIds);
+
+ /**
+ * Validates the given string as a path for a resource of the given type(s).
+ *
+ * In addition to the restrictions for paths in general (see
+ * IPath.isValidPath
), a resource path should also obey the
+ * following rules:
+ *
+ * a resource path should be an absolute path with no device id
+ * its segments should be valid names according to
+ * validateName
+ * a path for the workspace root must be the canonical root path
+ * a path for a project should have exactly 1 segment
+ * a path for a file or folder should have more than 1 segment
+ * the first segment should be a valid project name
+ * the second through penultimate segments should be valid folder names
+ * the last segment should be a valid name of the given type
+ *
+ *
+ *
+ * Note: this method does not consider whether a resource at the specified
+ * path exists.
+ *
+ *
+ * This validation check is done automatically as a resource is created (but
+ * not when the resource handle is constructed); this means that any
+ * resource that exists can be safely assumed to have a valid name and path.
+ *
+ *
+ * @param path the path string to be checked
+ * @param typeMask bitwise-or of the resource type constants (
+ * FILE
,FOLDER
,PROJECT
, or
+ * ROOT
) indicating expected resource type(s)
+ * @return a status object with code IStatus.OK
if the given
+ * path is valid as a resource path, otherwise a status object indicating
+ * what is wrong with the string
+ * @see IResource#PROJECT
+ * @see IResource#FOLDER
+ * @see IResource#FILE
+ * @see IStatus#OK
+ * @see IResourceStatus#getPath()
+ */
+ public IStatus validatePath(String path, int typeMask);
+
+ /**
+ * Validates the given path as the location of the given project on disk.
+ * The path must be either an absolute file system path, or a relative path
+ * whose first segment is the name of a defined workspace path variable. In
+ * addition to the restrictions for paths in general (see IPath.
+ * isValidPath
),
+ * a location path should also obey the following rules:
+ *
+ * must not be the same as another open or closed project
+ * must not occupy the default location for any project, whether existing or not
+ * must not be the same as or a parent of the platform's working directory
+ * must not be the same as or a child of the location of any existing
+ * linked resource in the given project
+ *
+ *
+ *
+ * Note: this method does not consider whether files or directories exist in
+ * the file system at the specified path.
+ *
+ *
+ * @param project the project to validate the location for, can be null
+ * if non default project location is validated
+ * @param location the location of the project contents on disk, or null
+ * if the default project location is used
+ * @return a status object with code IStatus.OK
if the given
+ * location is valid as the project content location, otherwise a status
+ * object indicating what is wrong with the location
+ * @see IProjectDescription#getLocationURI()
+ * @see IProjectDescription#setLocation(IPath)
+ * @see IStatus#OK
+ */
+ public IStatus validateProjectLocation(IProject project, IPath location);
+
+ /**
+ * Validates the given URI as the location of the given project.
+ * The location must be either an absolute URI, or a relative URI
+ * whose first segment is the name of a defined workspace path variable.
+ * A project location must obey the following rules:
+ *
+ * must not be the same as another open or closed project
+ * must not occupy the default location for any project, whether existing or not
+ * must not be the same as or a parent of the platform's working directory
+ * must not be the same as or a child of the location of any existing
+ * linked resource in the given project
+ *
+ *
+ *
+ * Note: this method does not consider whether files or directories exist in
+ * the file system at the specified path.
+ *
+ *
+ * @param project the project to validate the location for, can be null
+ * if non default project location is validated
+ * @param location the location of the project contents on disk, or null
+ * if the default project location is used
+ * @return a status object with code IStatus.OK
if the given
+ * location is valid as the project content location, otherwise a status
+ * object indicating what is wrong with the location
+ * @see IProjectDescription#getLocationURI()
+ * @see IProjectDescription#setLocationURI(URI)
+ * @see IStatus#OK
+ * @since 3.2
+ */
+ public IStatus validateProjectLocationURI(IProject project, URI location);
+
+ /**
+ * Returns the path variable manager for this workspace.
+ *
+ * @return the path variable manager
+ * @see IPathVariableManager
+ * @since 2.1
+ */
+ public IPathVariableManager getPathVariableManager();
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceDescription.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceDescription.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,218 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+/**
+ * A workspace description represents the workspace preferences. It can be
+ * used to query the current preferences and set new ones. The workspace
+ * preference values are stored in the preference store and are also accessible
+ * via the preference mechanism. Constants for the preference keys are found
+ * on the ResourcesPlugin
class.
+ *
+ * @see IWorkspace#getDescription()
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see IWorkspace#newProjectDescription(String)
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IWorkspaceDescription {
+ /**
+ * Returns the order in which projects in the workspace should be built.
+ * The returned value is null
if the workspace's default build
+ * order is being used.
+ *
+ * @return the names of projects in the order they will be built,
+ * or null
if the default build order should be used
+ * @see #setBuildOrder(String[])
+ * @see ResourcesPlugin#PREF_BUILD_ORDER
+ */
+ public String[] getBuildOrder();
+
+ /**
+ * Returns the maximum length of time, in milliseconds, a file state should be
+ * kept in the local history.
+ *
+ * @return the maximum time a file state should be kept in the local history
+ * represented in milliseconds
+ * @see #setFileStateLongevity(long)
+ * @see ResourcesPlugin#PREF_FILE_STATE_LONGEVITY
+ */
+ public long getFileStateLongevity();
+
+ /**
+ * Returns the maximum number of times that the workspace should rebuild when
+ * builders affect projects that have already been built.
+ *
+ * @return the maximum number of times that the workspace should rebuild when
+ * builders affect projects that have already been built.
+ * @see #setMaxBuildIterations(int)
+ * @see ResourcesPlugin#PREF_MAX_BUILD_ITERATIONS
+ * @since 2.1
+ */
+ public int getMaxBuildIterations();
+
+ /**
+ * Returns the maximum number of states per file that can be stored in the local history.
+ *
+ * @return the maximum number of states per file that can be stored in the local history
+ * @see #setMaxFileStates(int)
+ * @see ResourcesPlugin#PREF_MAX_FILE_STATES
+ */
+ public int getMaxFileStates();
+
+ /**
+ * Returns the maximum permitted size of a file, in bytes, to be stored in the
+ * local history.
+ *
+ * @return the maximum permitted size of a file to be stored in the local history
+ * @see #setMaxFileStateSize(long)
+ * @see ResourcesPlugin#PREF_MAX_FILE_STATE_SIZE
+ */
+ public long getMaxFileStateSize();
+
+ /**
+ * Returns the interval between automatic workspace snapshots.
+ *
+ * @return the amount of time in milliseconds between automatic workspace snapshots
+ * @see #setSnapshotInterval(long)
+ * @see ResourcesPlugin#PREF_SNAPSHOT_INTERVAL
+ * @since 2.0
+ */
+ public long getSnapshotInterval();
+
+ /**
+ * Returns whether this workspace performs autobuilds.
+ *
+ * @return true
if autobuilding is on, otherwise
+ * false
+ * @see #setAutoBuilding(boolean)
+ * @see ResourcesPlugin#PREF_AUTO_BUILDING
+ */
+ public boolean isAutoBuilding();
+
+ /**
+ * Records whether this workspace performs autobuilds.
+ *
+ * When autobuild is on, any changes made to a project and its
+ * resources automatically triggers an incremental build of the workspace.
+ *
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param value true
to turn on autobuilding,
+ * and false
to turn it off
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #isAutoBuilding()
+ * @see ResourcesPlugin#PREF_AUTO_BUILDING
+ */
+ public void setAutoBuilding(boolean value);
+
+ /**
+ * Sets the order in which projects in the workspace should be built.
+ * Projects not named in this list are built in a default order defined
+ * by the workspace. Set this value to null
to use the
+ * default ordering for all projects. Projects not named in the list are
+ * built in unspecified order after all ordered projects.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param value the names of projects in the order in which they are built,
+ * or null
to use the workspace's default order for all projects
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getBuildOrder()
+ * @see ResourcesPlugin#PREF_BUILD_ORDER
+ */
+ public void setBuildOrder(String[] value);
+
+ /**
+ * Sets the maximum time, in milliseconds, a file state should be kept in the
+ * local history.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param time the maximum number of milliseconds a file state should be
+ * kept in the local history
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getFileStateLongevity()
+ * @see ResourcesPlugin#PREF_FILE_STATE_LONGEVITY
+ */
+ public void setFileStateLongevity(long time);
+
+ /**
+ * Sets the maximum number of times that the workspace should rebuild when
+ * builders affect projects that have already been built.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param number the maximum number of times that the workspace should rebuild
+ * when builders affect projects that have already been built.
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getMaxBuildIterations()
+ * @see ResourcesPlugin#PREF_MAX_BUILD_ITERATIONS
+ * @since 2.1
+ */
+ public void setMaxBuildIterations(int number);
+
+ /**
+ * Sets the maximum number of states per file that can be stored in the local history.
+ * If the maximum number is reached, older states are removed in favor of
+ * new ones.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param number the maximum number of states per file that can be stored in the local history
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getMaxFileStates()
+ * @see ResourcesPlugin#PREF_MAX_FILE_STATES
+ */
+ public void setMaxFileStates(int number);
+
+ /**
+ * Sets the maximum permitted size of a file, in bytes, to be stored in the
+ * local history.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param size the maximum permitted size of a file to be stored in the local history
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getMaxFileStateSize()
+ * @see ResourcesPlugin#PREF_MAX_FILE_STATE_SIZE
+ */
+ public void setMaxFileStateSize(long size);
+
+ /**
+ * Sets the interval between automatic workspace snapshots. The new interval
+ * will only take effect after the next snapshot.
+ *
+ * Users must call IWorkspace.setDescription
before changes
+ * made to this description take effect.
+ *
+ *
+ * @param delay the amount of time in milliseconds between automatic workspace snapshots
+ * @see IWorkspace#setDescription(IWorkspaceDescription)
+ * @see #getSnapshotInterval()
+ * @see ResourcesPlugin#PREF_SNAPSHOT_INTERVAL
+ * @since 2.0
+ */
+ public void setSnapshotInterval(long delay);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceRoot.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceRoot.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,360 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.net.URI;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A root resource represents the top of the resource hierarchy in a workspace.
+ * There is exactly one root in a workspace. The root resource has the following
+ * behavior:
+ *
+ * It cannot be moved or copied
+ * It always exists.
+ * Deleting the root deletes all of the children under the root but leaves the root itself
+ * It is always local.
+ * It is never a phantom.
+ *
+ *
+ * Workspace roots implement the IAdaptable
interface;
+ * extensions are managed by the platform's adapter manager.
+ *
+ *
+ * @see Platform#getAdapterManager()
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IWorkspaceRoot extends IContainer, IAdaptable {
+
+ /**
+ * Deletes everything in the workspace except the workspace root resource
+ * itself.
+ *
+ * This is a convenience method, fully equivalent to:
+ *
+ * delete(
+ * (deleteContent ? IResource.ALWAYS_DELETE_PROJECT_CONTENT : IResource.NEVER_DELETE_PROJECT_CONTENT )
+ * | (force ? FORCE : IResource.NONE),
+ * monitor);
+ *
+ *
+ *
+ * This method changes resources; these changes will be reported
+ * in a subsequent resource change event.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided
+ * by the given progress monitor.
+ *
+ *
+ * @param deleteContent a flag controlling how whether content is
+ * aggressively deleted
+ * @param force a flag controlling whether resources that are not
+ * in sync with the local file system will be tolerated
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * A project could not be deleted.
+ * A project's contents could not be deleted.
+ * Resource changes are disallowed during certain types of resource change
+ * event notification. See IResourceChangeEvent
for more details.
+ *
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public void delete(boolean deleteContent, boolean force, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns the handles to all the resources (workspace root, project,
+ * folder) in the workspace which are mapped to the given path in the local
+ * file system. Returns an empty array if there are none.
+ *
+ * If the path maps to the platform working location, the returned object
+ * will be a single element array consisting of an object of type
+ * ROOT
.
+ *
+ *
+ * If the path maps to a project, the resulting array will contain a
+ * resource of type PROJECT
, along with any linked folders that
+ * share the same location. Otherwise the resulting array will contain
+ * folders (type FOLDER
).
+ *
+ *
+ * The path should be absolute; a relative path will be treated as absolute.
+ * The path segments need not be valid names; a trailing separator is
+ * ignored. The resulting resources may not currently exist.
+ *
+ *
+ * The result will omit team private members and hidden resources. The
+ * result will omit resources within team private members or hidden
+ * containers.
+ *
+ *
+ * @param location
+ * a path in the local file system
+ * @return the corresponding containers in the workspace, or an empty array
+ * if none
+ * @since 2.1
+ * @deprecated use {@link #findContainersForLocationURI(URI)} instead
+ */
+ public IContainer[] findContainersForLocation(IPath location);
+
+ /**
+ * Returns the handles to all the resources (workspace root, project,
+ * folder) in the workspace which are mapped to the given URI. Returns an
+ * empty array if there are none.
+ *
+ * If the path maps to the platform working location, the returned object
+ * will be a single element array consisting of an object of type
+ * ROOT
.
+ *
+ *
+ * If the path maps to a project, the resulting array will contain a
+ * resource of type PROJECT
, along with any linked folders that
+ * share the same location. Otherwise the resulting array will contain
+ * folders (type FOLDER
).
+ *
+ *
+ * The URI must be absolute; its segments need not be valid names; a
+ * trailing separator is ignored. The resulting resources may not currently
+ * exist.
+ *
+ *
+ * The result will omit team private members and hidden resources. The
+ * result will omit resources within team private member sor hidden
+ * containers.
+ *
+ *
+ * This is a convenience method, fully equivalent to
+ * findContainersForLocationURI(location, IResource.NONE)
.
+ *
+ *
+ * @param location
+ * a URI path into some file system
+ * @return the corresponding containers in the workspace, or an empty array
+ * if none
+ * @since 3.2
+ */
+ public IContainer[] findContainersForLocationURI(URI location);
+
+ /**
+ * Returns the handles to all the resources (workspace root, project,
+ * folder) in the workspace which are mapped to the given URI. Returns an
+ * empty array if there are none.
+ *
+ * If the {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} flag is specified in the
+ * member flags, team private members will be included along with the
+ * others. If the {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} flag is not
+ * specified (recommended), the result will omit any team private member
+ * resources.
+ *
+ *
+ * If the {@link #INCLUDE_HIDDEN} flag is specified in the member flags,
+ * hidden members will be included along with the others. If the
+ * {@link #INCLUDE_HIDDEN} flag is not specified (recommended), the result
+ * will omit any hidden member resources.
+ *
+ *
+ * @param location
+ * a URI path into some file system
+ * @param memberFlags
+ * bit-wise or of member flag constants (
+ * {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} and {@link #INCLUDE_HIDDEN})
+ * indicating which members are of interest
+ * @return the corresponding files in the workspace, or an empty array if
+ * none
+ * @since 3.5
+ */
+ public IContainer[] findContainersForLocationURI(URI location, int memberFlags);
+
+ /**
+ * Returns the handles of all files that are mapped to the given path in the
+ * local file system. Returns an empty array if there are none. The path
+ * should be absolute; a relative path will be treated as absolute. The path
+ * segments need not be valid names. The resulting files may not currently
+ * exist.
+ *
+ * The result will omit any team private member and hidden resources. The
+ * result will omit resources within team private member or hidden
+ * containers.
+ *
+ *
+ * @param location
+ * a path in the local file system
+ * @return the corresponding files in the workspace, or an empty array if
+ * none
+ * @since 2.1
+ * @deprecated use {@link #findFilesForLocationURI(URI)} instead
+ */
+ public IFile[] findFilesForLocation(IPath location);
+
+ /**
+ * Returns the handles of all files that are mapped to the given URI.
+ * Returns an empty array if there are none. The URI must be absolute; its
+ * path segments need not be valid names. The resulting files may not
+ * currently exist.
+ *
+ * The result will omit any team private member and hidden resources. The
+ * result will omit resources within team private member or hidden
+ * containers.
+ *
+ *
+ * This is a convenience method, fully equivalent to
+ * findFilesForLocationURI(location, IResource.NONE)
.
+ *
+ *
+ * @param location
+ * a URI path into some file system
+ * @return the corresponding files in the workspace, or an empty array if
+ * none
+ * @since 3.2
+ */
+ public IFile[] findFilesForLocationURI(URI location);
+
+ /**
+ * Returns the handles of all files that are mapped to the given URI.
+ * Returns an empty array if there are none. The URI must be absolute; its
+ * path segments need not be valid names. The resulting files may not
+ * currently exist.
+ *
+ * If the {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} flag is specified in the
+ * member flags, team private members will be included along with the
+ * others. If the {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} flag is not
+ * specified (recommended), the result will omit any team private member
+ * resources.
+ *
+ *
+ * If the {@link #INCLUDE_HIDDEN} flag is specified in the member flags,
+ * hidden members will be included along with the others. If the
+ * {@link #INCLUDE_HIDDEN} flag is not specified (recommended), the result
+ * will omit any hidden member resources.
+ *
+ *
+ * @param location
+ * a URI path into some file system
+ * @param memberFlags
+ * bit-wise or of member flag constants (
+ * {@link #INCLUDE_TEAM_PRIVATE_MEMBERS} and {@link #INCLUDE_HIDDEN})
+ * indicating which members are of interest
+ * @return the corresponding files in the workspace, or an empty array if
+ * none
+ * @since 3.5
+ */
+ public IFile[] findFilesForLocationURI(URI location, int memberFlags);
+
+ /**
+ * Returns a handle to the workspace root, project or folder
+ * which is mapped to the given path
+ * in the local file system, or null
if none.
+ * If the path maps to the platform working location, the returned object
+ * will be of type ROOT
. If the path maps to a
+ * project, the resulting object will be
+ * of type PROJECT
; otherwise the resulting object
+ * will be a folder (type FOLDER
).
+ * The path should be absolute; a relative path will be treated as
+ * absolute. The path segments need not be valid names; a trailing separator is ignored.
+ * The resulting resource may not currently exist.
+ *
+ * This method returns null when the given file system location is not equal to
+ * or under the location of any existing project in the workspace, or equal to the
+ * location of the platform working location.
+ *
+ *
+ * Warning: This method ignores linked resources and their children. Since
+ * linked resources may overlap other resources, a unique mapping from a
+ * file system location to a single resource is not guaranteed. To find all
+ * resources for a given location, including linked resources, use the method
+ * findContainersForLocation
.
+ *
+ *
+ * @param location a path in the local file system
+ * @return the corresponding project or folder in the workspace,
+ * or null
if none
+ */
+ public IContainer getContainerForLocation(IPath location);
+
+ /**
+ * Returns a handle to the file which is mapped to the given path
+ * in the local file system, or null
if none.
+ * The path should be absolute; a relative path will be treated as
+ * absolute. The path segments need not be valid names.
+ * The resulting file may not currently exist.
+ *
+ * This method returns null when the given file system location is not under
+ * the location of any existing project in the workspace.
+ *
+ *
+ * Warning: This method ignores linked resources and their children. Since
+ * linked resources may overlap other resources, a unique mapping from a
+ * file system location to a single resource is not guaranteed. To find all
+ * resources for a given location, including linked resources, use the method
+ * findFilesForLocation
.
+ *
+ *
+ * @param location a path in the local file system
+ * @return the corresponding file in the workspace,
+ * or null
if none
+ */
+ public IFile getFileForLocation(IPath location);
+
+ /**
+ * Returns a handle to the project resource with the given name
+ * which is a child of this root. The given name must be a valid
+ * path segment as defined by {@link IPath#isValidSegment(String)}.
+ *
+ * Note: This method deals exclusively with resource handles,
+ * independent of whether the resources exist in the workspace.
+ * With the exception of validating that the name is a valid path segment,
+ * validation checking of the project name is not done
+ * when the project handle is constructed; rather, it is done
+ * automatically as the project is created.
+ *
+ *
+ * @param name the name of the project
+ * @return a project resource handle
+ * @see #getProjects()
+ */
+ public IProject getProject(String name);
+
+ /**
+ * Returns the collection of projects which exist under this root.
+ * The projects can be open or closed.
+ *
+ * This is a convenience method, fully equivalent to getProjects(IResource.NONE)
.
+ * Hidden projects are not included.
+ *
+ * @return an array of projects
+ * @see #getProject(String)
+ * @see IResource#isHidden()
+ */
+ public IProject[] getProjects();
+
+ /**
+ * Returns the collection of projects which exist under this root.
+ * The projects can be open or closed.
+ *
+ * If the {@link #INCLUDE_HIDDEN} flag is specified in the member flags, hidden
+ * projects will be included along with the others. If the {@link #INCLUDE_HIDDEN} flag
+ * is not specified (recommended), the result will omit any hidden projects.
+ *
+ *
+ * @param memberFlags bit-wise or of member flag constants indicating which
+ * projects are of interest (only {@link #INCLUDE_HIDDEN} is currently applicable)
+ * @return an array of projects
+ * @see #getProject(String)
+ * @see IResource#isHidden()
+ * @since 3.4
+ */
+ public IProject[] getProjects(int memberFlags);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceRunnable.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IWorkspaceRunnable.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,42 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A runnable which executes as a batch operation within the workspace.
+ * The IWorkspaceRunnable
interface should be implemented
+ * by any class whose instances are intended to be run by
+ * IWorkspace.run
.
+ *
+ * Clients may implement this interface.
+ *
+ * @see IWorkspace#run(IWorkspaceRunnable, IProgressMonitor)
+ */
+public interface IWorkspaceRunnable {
+ /**
+ * Runs the operation reporting progress to and accepting
+ * cancellation requests from the given progress monitor.
+ *
+ * Implementors of this method should check the progress monitor
+ * for cancellation when it is safe and appropriate to do so. The cancellation
+ * request should be propagated to the caller by throwing
+ * OperationCanceledException
.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ * @exception CoreException if this operation fails.
+ */
+ public void run(IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IncrementalProjectBuilder.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/IncrementalProjectBuilder.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,357 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import java.util.Map;
+import org.eclipse.core.internal.events.InternalBuilder;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+
+/**
+ * The abstract base class for all incremental project builders. This class
+ * provides the infrastructure for defining a builder and fulfills the contract
+ * specified by the org.eclipse.core.resources.builders
standard
+ * extension point.
+ *
+ * All builders must subclass this class according to the following guidelines:
+ *
+ * must re-implement at least build
+ * may implement other methods
+ * must supply a public, no-argument constructor
+ *
+ * On creation, the setInitializationData
method is called with
+ * any parameter data specified in the declaring plug-in's manifest.
+ */
+public abstract class IncrementalProjectBuilder extends InternalBuilder implements IExecutableExtension {
+ /**
+ * Build kind constant (value 6) indicating a full build request. A full
+ * build discards all previously built state and builds all resources again.
+ * Resource deltas are not applicable for this kind of build.
+ *
+ * @see IProject#build(int, IProgressMonitor)
+ * @see IProject#build(int, String, Map, IProgressMonitor)
+ * @see IWorkspace#build(int, IProgressMonitor)
+ */
+ public static final int FULL_BUILD = 6;
+ /**
+ * Build kind constant (value 9) indicating an automatic build request. When
+ * autobuild is turned on, these builds are triggered automatically whenever
+ * resources change. Apart from the method by which autobuilds are triggered,
+ * they otherwise operate like an incremental build.
+ *
+ * @see IWorkspaceDescription#setAutoBuilding(boolean)
+ * @see IWorkspace#isAutoBuilding()
+ */
+ public static final int AUTO_BUILD = 9;
+ /**
+ * Build kind constant (value 10) indicating an incremental build request.
+ * Incremental builds use an {@link IResourceDelta} that describes what
+ * resources have changed since the last build. The builder calculates
+ * what resources are affected by the delta, and rebuilds the affected resources.
+ *
+ * @see IProject#build(int, IProgressMonitor)
+ * @see IProject#build(int, String, Map, IProgressMonitor)
+ * @see IWorkspace#build(int, IProgressMonitor)
+ */
+ public static final int INCREMENTAL_BUILD = 10;
+ /**
+ * Build kind constant (value 15) indicating a clean build request. A clean
+ * build discards any additional state that has been computed as a result of
+ * previous builds, and returns the project to a clean slate. Resource
+ * deltas are not applicable for this kind of build.
+ *
+ * @see IProject#build(int, IProgressMonitor)
+ * @see IProject#build(int, String, Map, IProgressMonitor)
+ * @see IWorkspace#build(int, IProgressMonitor)
+ * @see #clean(IProgressMonitor)
+ * @since 3.0
+ */
+ public static final int CLEAN_BUILD = 15;
+
+ /**
+ * Runs this builder in the specified manner. Subclasses should implement
+ * this method to do the processing they require.
+ *
+ * If the build kind is {@link #INCREMENTAL_BUILD} or
+ * {@link #AUTO_BUILD}, the getDelta
method can be
+ * used during the invocation of this method to obtain information about
+ * what changes have occurred since the last invocation of this method. Any
+ * resource delta acquired is valid only for the duration of the invocation
+ * of this method.
+ *
+ *
+ * After completing a build, this builder may return a list of projects for
+ * which it requires a resource delta the next time it is run. This
+ * builder's project is implicitly included and need not be specified. The
+ * build mechanism will attempt to maintain and compute deltas relative to
+ * the identified projects when asked the next time this builder is run.
+ * Builders must re-specify the list of interesting projects every time they
+ * are run as this is not carried forward beyond the next build. Projects
+ * mentioned in return value but which do not exist will be ignored and no
+ * delta will be made available for them.
+ *
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor. All builders should report their progress and
+ * honor cancel requests in a timely manner. Cancelation requests should be
+ * propagated to the caller by throwing
+ * OperationCanceledException
.
+ *
+ *
+ * All builders should try to be robust in the face of trouble. In
+ * situations where failing the build by throwing CoreException
+ * is the only option, a builder has a choice of how best to communicate the
+ * problem back to the caller. One option is to use the
+ * {@link IResourceStatus#BUILD_FAILED} status code along with a suitable message;
+ * another is to use a {@link MultiStatus} containing finer-grained problem
+ * diagnoses.
+ *
+ *
+ * @param kind the kind of build being requested. Valid values are
+ *
+ * {@link #FULL_BUILD} - indicates a full build.
+ * {@link #INCREMENTAL_BUILD}- indicates an incremental build.
+ * {@link #AUTO_BUILD} - indicates an automatically triggered
+ * incremental build (autobuilding on).
+ *
+ * @param args a table of builder-specific arguments keyed by argument name
+ * (key type: String
, value type: String
);
+ * null
is equivalent to an empty map
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ * @return the list of projects for which this builder would like deltas the
+ * next time it is run or null
if none
+ * @exception CoreException if this build fails.
+ * @see IProject#build(int, String, Map, IProgressMonitor)
+ */
+ protected abstract IProject[] build(int kind, Map args, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Clean is an opportunity for a builder to discard any additional state that has
+ * been computed as a result of previous builds. It is recommended that builders
+ * override this method to delete all derived resources created by previous builds,
+ * and to remove all markers of type {@link IMarker#PROBLEM} that
+ * were created by previous invocations of the builder. The platform will
+ * take care of discarding the builder's last built state (there is no need
+ * to call forgetLastBuiltState
).
+ *
+ *
+ * This method is called as a result of invocations of
+ * IWorkspace.build
or IProject.build
where
+ * the build kind is {@link #CLEAN_BUILD}.
+ *
+ * This default implementation does nothing. Subclasses may override.
+ *
+ * This method is long-running; progress and cancellation are provided by
+ * the given progress monitor. All builders should report their progress and
+ * honor cancel requests in a timely manner. Cancelation requests should be
+ * propagated to the caller by throwing
+ * OperationCanceledException
.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancellation are not desired
+ * @exception CoreException if this build fails.
+ * @see IWorkspace#build(int, IProgressMonitor)
+ * @see #CLEAN_BUILD
+ * @since 3.0
+ */
+ protected void clean(IProgressMonitor monitor) throws CoreException {
+ //default implementation does nothing
+ //thwart compiler warning
+ }
+
+ /**
+ * Requests that this builder forget any state it may be retaining regarding
+ * previously built states. Typically this means that the next time the
+ * builder runs, it will have to do a full build since it does not have any
+ * state upon which to base an incremental build.
+ */
+ public final void forgetLastBuiltState() {
+ super.forgetLastBuiltState();
+ }
+
+ /**
+ * Returns the build command associated with this builder. The returned
+ * command may or may not be in the build specification for the project
+ * on which this builder operates.
+ *
+ * Any changes made to the returned command will only take effect if
+ * the modified command is installed on a project build spec.
+ *
+ *
+ * @see IProjectDescription#setBuildSpec(ICommand [])
+ * @see IProject#setDescription(IProjectDescription, int, IProgressMonitor)
+ * @since 3.1
+ */
+ public final ICommand getCommand() {
+ return super.getCommand();
+ }
+
+ /**
+ * Returns the resource delta recording the changes in the given project
+ * since the last time this builder was run. null
is returned
+ * if no such delta is available. An empty delta is returned if no changes
+ * have occurred, or if deltas are not applicable for the current build kind.
+ * If null
is returned, clients should assume
+ * that unspecified changes have occurred and take the appropriate action.
+ *
+ * The system reserves the right to trim old state in an effort to conserve
+ * space. As such, callers should be prepared to receive null
+ * even if they previously requested a delta for a particular project by
+ * returning that project from a build
call.
+ *
+ *
+ * A non- null
delta will only be supplied for the given
+ * project if either the result returned from the previous
+ * build
included the project or the project is the one
+ * associated with this builder.
+ *
+ *
+ * If the given project was mentioned in the previous build
+ * and subsequently deleted, a non- null
delta containing the
+ * deletion will be returned. If the given project was mentioned in the
+ * previous build
and was subsequently created, the returned
+ * value will be null
.
+ *
+ *
+ * A valid delta will be returned only when this method is called during a
+ * build. The delta returned will be valid only for the duration of the
+ * enclosing build execution.
+ *
+ *
+ * @return the resource delta for the project or null
+ */
+ public final IResourceDelta getDelta(IProject project) {
+ return super.getDelta(project);
+ }
+
+ /**
+ * Returns the project for which this builder is defined.
+ *
+ * @return the project
+ */
+ public final IProject getProject() {
+ return super.getProject();
+ }
+
+ /**
+ * Returns whether the given project has already been built during this
+ * build iteration.
+ *
+ * When the entire workspace is being built, the projects are built in
+ * linear sequence. This method can be used to determine if another project
+ * precedes this builder's project in that build sequence. If only a single
+ * project is being built, then there is no build order and this method will
+ * always return false
.
+ *
+ *
+ * @param project the project to check against in the current build order
+ * @return true
if the given project has been built in this
+ * iteration, and false
otherwise.
+ * @see #needRebuild()
+ * @since 2.1
+ */
+ public final boolean hasBeenBuilt(IProject project) {
+ return super.hasBeenBuilt(project);
+ }
+
+ /**
+ * Returns whether an interrupt request has been made for this build.
+ * Background autobuild is interrupted when another thread tries to modify
+ * the workspace concurrently with the build thread. When this occurs, the
+ * build cycle is flagged as interrupted and the build will be terminated at
+ * the earliest opportunity. This method allows long running builders to
+ * respond to this interruption in a timely manner. Builders are not
+ * required to respond to interruption requests.
+ *
+ *
+ * @return true
if the build cycle has been interrupted, and
+ * false
otherwise.
+ * @since 3.0
+ */
+ public final boolean isInterrupted() {
+ return super.isInterrupted();
+ }
+
+ /**
+ * Indicates that this builder made changes that affect a project that
+ * precedes this project in the currently executing build order, and thus a
+ * rebuild will be necessary.
+ *
+ * This is an advanced feature that builders should use with caution. This
+ * can cause workspace builds to iterate until no more builders require
+ * rebuilds.
+ *
+ *
+ * @see #hasBeenBuilt(IProject)
+ * @since 2.1
+ */
+ public final void needRebuild() {
+ super.needRebuild();
+ }
+
+ /**
+ * Sets initialization data for this builder.
+ *
+ * This method is part of the {@link IExecutableExtension} interface.
+ *
+ *
+ * Subclasses are free to extend this method to pick up initialization
+ * parameters from the plug-in plug-in manifest (plugin.xml
)
+ * file, but should be sure to invoke this method on their superclass.
+ *
+ * For example, the following method looks for a boolean-valued parameter
+ * named "trace":
+ *
+ *
+ * public void setInitializationData(IConfigurationElement cfig, String propertyName, Object data) throws CoreException {
+ * super.setInitializationData(cfig, propertyName, data);
+ * if (data instanceof Hashtable) {
+ * Hashtable args = (Hashtable) data;
+ * String traceValue = (String) args.get("trace");
+ * TRACING = (traceValue != null && traceValue.equals("true"));
+ * }
+ * }
+ *
+ *
+ * @throws CoreException if fails.
+ */
+ public void setInitializationData(IConfigurationElement config, String propertyName, Object data) throws CoreException {
+ //default implementation does nothing
+ //thwart compiler warning
+ }
+
+ /**
+ * Informs this builder that it is being started by the build management
+ * infrastructure. By the time this method is run, the builder's project is
+ * available and setInitializationData
has been called. The
+ * default implementation should be called by all overriding methods.
+ *
+ * @see #setInitializationData(IConfigurationElement, String, Object)
+ */
+ protected void startupOnInitialize() {
+ // reserved for future use
+ }
+
+ /**
+ * Returns the scheduling rule that is required for building
+ * the project for which this builder is defined. The default
+ * is the workspace root rule.
+ *
+ * @return scheduling rule
+ *
+ * @since 3.5
+ */
+ public ISchedulingRule getRule() {
+ return ResourcesPlugin.getWorkspace().getRoot();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ProjectScope.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ProjectScope.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,106 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.internal.preferences.EclipsePreferences;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.Platform;
+import org.eclipse.core.runtime.preferences.IEclipsePreferences;
+import org.eclipse.core.runtime.preferences.IScopeContext;
+
+/**
+ * Object representing the project scope in the Eclipse preferences
+ * hierarchy. Can be used as a context for searching for preference
+ * values (in the org.eclipse.core.runtime.IPreferencesService
+ * APIs) or for determining the correct preference node to set values in the store.
+ *
+ * Project preferences are stored on a per project basis in the
+ * project's content area as specified by IProject#getLocation
.
+ *
+ * The path for preferences defined in the project scope hierarchy
+ * is as follows: /project/<projectName>/<qualifier>
+ *
+ *
+ * This class is not intended to be subclassed. This class may be instantiated.
+ *
+ * @see IProject#getLocation()
+ * @since 3.0
+ */
+public final class ProjectScope implements IScopeContext {
+
+ /**
+ * String constant (value of "project"
) used for the
+ * scope name for this preference scope.
+ */
+ public static final String SCOPE = "project"; //$NON-NLS-1$
+
+ private IProject context;
+
+ /**
+ * Create and return a new project scope for the given project. The given
+ * project must not be null
.
+ *
+ * @param context the project
+ * @exception IllegalArgumentException if the project is null
+ */
+ public ProjectScope(IProject context) {
+ super();
+ if (context == null)
+ throw new IllegalArgumentException();
+ this.context = context;
+ }
+
+ /*
+ * @see org.eclipse.core.runtime.IScopeContext#getNode(java.lang.String)
+ */
+ public IEclipsePreferences getNode(String qualifier) {
+ if (qualifier == null)
+ throw new IllegalArgumentException();
+ return (IEclipsePreferences) Platform.getPreferencesService().getRootNode().node(SCOPE).node(context.getName()).node(qualifier);
+ }
+
+ /*
+ * @see org.eclipse.core.runtime.preferences.IScopeContext#getLocation()
+ */
+ public IPath getLocation() {
+ IProject project = ((IResource) context).getProject();
+ IPath location = project.getLocation();
+ return location == null ? null : location.append(EclipsePreferences.DEFAULT_PREFERENCES_DIRNAME);
+ }
+
+ /*
+ * @see org.eclipse.core.runtime.preferences.IScopeContext#getName()
+ */
+ public String getName() {
+ return SCOPE;
+ }
+
+ /* (non-Javadoc)
+ * @see java.lang.Object#equals(java.lang.Object)
+ */
+ public boolean equals(Object obj) {
+ if (this == obj)
+ return true;
+ if (!super.equals(obj))
+ return false;
+ if (!(obj instanceof ProjectScope))
+ return false;
+ ProjectScope other = (ProjectScope) obj;
+ return context.equals(other.context);
+ }
+
+ /* (non-Javadoc)
+ * @see java.lang.Object#hashCode()
+ */
+ public int hashCode() {
+ return super.hashCode() + context.getFullPath().hashCode();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ResourceAttributes.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ResourceAttributes.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,191 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2008 Red Hat Incorporated and others
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/org/documents/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API
+ * Red Hat Incorporated - initial implementation
+ * Martin Oberhuber (Wind River) - [44107] Add symbolic links to ResourceAttributes API
+ *******************************************************************************/
+
+package org.eclipse.core.resources;
+
+import org.eclipse.core.filesystem.EFS;
+import org.eclipse.core.internal.utils.FileUtil;
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * This class represents platform specific attributes of files.
+ * Any attributes can be added, but only the attributes that are
+ * supported by the platform will be used. These methods do not set the
+ * attributes in the file system.
+ *
+ * @author Red Hat Incorporated
+ * @see IResource#getResourceAttributes()
+ * @see IResource#setResourceAttributes(ResourceAttributes)
+ * @since 3.1
+ * @noextend This class is not intended to be subclassed by clients.
+ */
+public class ResourceAttributes {
+ private int attributes;
+
+ /**
+ * Creates a new resource attributes instance with attributes
+ * taken from the specified file in the file system. If the specified
+ * file does not exist or is not accessible, this method has the
+ * same effect as calling the default constructor.
+ *
+ * @param file The file to get attributes from
+ * @return A resource attributes object
+ */
+ public static ResourceAttributes fromFile(java.io.File file) {
+ try {
+ return FileUtil.fileInfoToAttributes(EFS.getStore(file.toURI()).fetchInfo());
+ } catch (CoreException e) {
+ //file could not be accessed
+ return new ResourceAttributes();
+ }
+ }
+
+ /**
+ * Creates a new instance of ResourceAttributes
.
+ */
+ public ResourceAttributes() {
+ super();
+ }
+
+ /**
+ * Returns whether this ResourceAttributes object is marked archive.
+ *
+ * @return true
if this resource is marked archive,
+ * false
otherwise
+ * @see #setArchive(boolean)
+ */
+ public boolean isArchive() {
+ return (attributes & EFS.ATTRIBUTE_ARCHIVE) != 0;
+ }
+
+ /**
+ * Returns whether this ResourceAttributes object is marked executable.
+ *
+ * @return true
if this resource is marked executable,
+ * false
otherwise
+ * @see #setExecutable(boolean)
+ */
+ public boolean isExecutable() {
+ return (attributes & EFS.ATTRIBUTE_EXECUTABLE) != 0;
+ }
+
+ /**
+ * Returns whether this ResourceAttributes object is marked hidden.
+ *
+ * @return true
if this resource is marked hidden,
+ * false
otherwise
+ * @see #setHidden(boolean)
+ * @since 3.2
+ */
+ public boolean isHidden() {
+ return (attributes & EFS.ATTRIBUTE_HIDDEN) != 0;
+ }
+
+ /**
+ * Returns whether this ResourceAttributes object is marked read only.
+ *
+ * @return true
if this resource is marked as read only,
+ * false
otherwise
+ * @see #setReadOnly(boolean)
+ */
+ public boolean isReadOnly() {
+ return (attributes & EFS.ATTRIBUTE_READ_ONLY) != 0;
+ }
+
+ /**
+ * Returns whether this ResourceAttributes object is marked read only.
+ *
+ * @return true
if this resource is marked as symbolic link,
+ * false
otherwise
+ * @see #setSymbolicLink(boolean)
+ * @since 3.4
+ */
+ public boolean isSymbolicLink() {
+ return (attributes & EFS.ATTRIBUTE_SYMLINK) != 0;
+ }
+
+ /**
+ * Sets or unsets whether this ResourceAttributes object is marked archive.
+ *
+ * @param archive true
to set it to be archive,
+ * false
to unset
+ * @see #isArchive()
+ */
+ public void setArchive(boolean archive) {
+ set(EFS.ATTRIBUTE_ARCHIVE, archive);
+ }
+
+ /**
+ * Clears all of the bits indicated by the mask.
+ */
+ private void set(int mask, boolean value) {
+ if (value)
+ attributes |= mask;
+ else
+ attributes &= ~mask;
+ }
+
+ /**
+ * Sets or unsets whether this ResourceAttributes object is marked executable.
+ *
+ * @param executable true
to set it to be executable,
+ * false
to unset
+ * @see #isExecutable()
+ */
+ public void setExecutable(boolean executable) {
+ set(EFS.ATTRIBUTE_EXECUTABLE, executable);
+ }
+
+ /**
+ * Sets or unsets whether this ResourceAttributes object is marked hidden
+ *
+ * @param hidden true
to set it to be marked hidden,
+ * false
to unset
+ * @see #isHidden()
+ * @since 3.2
+ */
+ public void setHidden(boolean hidden) {
+ set(EFS.ATTRIBUTE_HIDDEN, hidden);
+ }
+
+ /**
+ * Sets or unsets whether this ResourceAttributes object is marked read only.
+ *
+ * @param readOnly true
to set it to be marked read only,
+ * false
to unset
+ * @see #isReadOnly()
+ */
+ public void setReadOnly(boolean readOnly) {
+ set(EFS.ATTRIBUTE_READ_ONLY, readOnly);
+ }
+
+ /**
+ * Sets or unsets whether this ResourceAttributes object is marked as symbolic link.
+ *
+ * @param symLink true
to set it to be marked as symbolic link,
+ * false
to unset
+ * @see #isSymbolicLink()
+ * @since 3.4
+ */
+ public void setSymbolicLink(boolean symLink) {
+ set(EFS.ATTRIBUTE_SYMLINK, symLink);
+ }
+
+ /**
+ * Returns a string representation of the attributes, suitable
+ * for debugging purposes only.
+ */
+ public String toString() {
+ return "ResourceAttributes(" + attributes + ')'; //$NON-NLS-1$
+ }
+}
\ No newline at end of file
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ResourcesPlugin.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/ResourcesPlugin.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,384 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.internal.resources.*;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.IJobManager;
+import org.eclipse.core.runtime.jobs.Job;
+import org.osgi.framework.*;
+
+/**
+ * The plug-in runtime class for the Resources plug-in. This is
+ * the starting point for all workspace and resource manipulation.
+ * A typical sequence of events would be for a dependent plug-in
+ * to call ResourcesPlugin.getWorkspace()
.
+ * Doing so would cause this plug-in to be activated and the workspace
+ * (if any) to be loaded from disk and initialized.
+ *
+ * @noinstantiate This class is not intended to be instantiated by clients.
+ */
+public final class ResourcesPlugin extends Plugin {
+ /**
+ * Unique identifier constant (value "org.eclipse.core.resources"
)
+ * for the standard Resources plug-in.
+ */
+ public static final String PI_RESOURCES = "org.eclipse.core.resources"; //$NON-NLS-1$
+
+ /*====================================================================
+ * Constants defining the ids of the standard workspace extension points:
+ *====================================================================*/
+
+ /**
+ * Simple identifier constant (value "builders"
)
+ * for the builders extension point.
+ */
+ public static final String PT_BUILDERS = "builders"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "natures"
)
+ * for the natures extension point.
+ */
+ public static final String PT_NATURES = "natures"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "markers"
)
+ * for the markers extension point.
+ */
+ public static final String PT_MARKERS = "markers"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "fileModificationValidator"
)
+ * for the file modification validator extension point.
+ */
+ public static final String PT_FILE_MODIFICATION_VALIDATOR = "fileModificationValidator"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "moveDeleteHook"
)
+ * for the move/delete hook extension point.
+ *
+ * @since 2.0
+ */
+ public static final String PT_MOVE_DELETE_HOOK = "moveDeleteHook"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "teamHook"
)
+ * for the team hook extension point.
+ *
+ * @since 2.1
+ */
+ public static final String PT_TEAM_HOOK = "teamHook"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "refreshProviders"
)
+ * for the auto-refresh refresh providers extension point.
+ *
+ * @since 3.0
+ */
+ public static final String PT_REFRESH_PROVIDERS = "refreshProviders"; //$NON-NLS-1$
+
+ /**
+ * Simple identifier constant (value "modelProviders"
)
+ * for the model providers extension point.
+ *
+ * @since 3.2
+ */
+ public static final String PT_MODEL_PROVIDERS = "modelProviders"; //$NON-NLS-1$
+
+ /**
+ * Constant identifying the job family identifier for the background autobuild job.
+ *
+ * @see IJobManager#join(Object, IProgressMonitor)
+ * @since 3.0
+ */
+ public static final Object FAMILY_AUTO_BUILD = new Object();
+
+ /**
+ * Constant identifying the job family identifier for the background auto-refresh job.
+ *
+ * @see IJobManager#join(Object, IProgressMonitor)
+ * @since 3.1
+ */
+ public static final Object FAMILY_AUTO_REFRESH = new Object();
+
+ /**
+ * Constant identifying the job family identifier for a background build job. All clients
+ * that schedule background jobs for performing builds should include this job
+ * family in their implementation of belongsTo
.
+ *
+ * @see IJobManager#join(Object, IProgressMonitor)
+ * @see Job#belongsTo(Object)
+ * @since 3.0
+ */
+ public static final Object FAMILY_MANUAL_BUILD = new Object();
+
+ /**
+ * Constant identifying the job family identifier for a background refresh job. All clients
+ * that schedule background jobs for performing refreshing should include this job
+ * family in their implementation of belongsTo
.
+ *
+ * @see IJobManager#join(Object, IProgressMonitor)
+ * @see Job#belongsTo(Object)
+ * @since 3.4
+ */
+ public static final Object FAMILY_MANUAL_REFRESH = new Object();
+
+ /**
+ * Name of a preference indicating the encoding to use when reading text
+ * files in the workspace. The value is a string, and may
+ * be the default empty string, indicating that the file system encoding should
+ * be used instead. The file system encoding can be retrieved using
+ * System.getProperty("file.encoding")
.
+ * There is also a convenience method getEncoding
which returns
+ * the value of this preference, or the file system encoding if this
+ * preference is not set.
+ *
+ * Note that there is no guarantee that the value is a supported encoding.
+ * Callers should be prepared to handle UnsupportedEncodingException
+ * where this encoding is used.
+ *
+ *
+ * @see #getEncoding()
+ * @see java.io.UnsupportedEncodingException
+ */
+ public static final String PREF_ENCODING = "encoding"; //$NON-NLS-1$
+
+ /**
+ * Common prefix for workspace preference names.
+ * @since 2.1
+ */
+ private static final String PREF_DESCRIPTION_PREFIX = "description."; //$NON-NLS-1$
+
+ /**
+ * @deprecated Do not use.
+ * @since 3.0
+ */
+ public static final String PREF_MAX_NOTIFICATION_DELAY = "maxnotifydelay"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring whether the workspace performs auto-
+ * builds.
+ *
+ * @see IWorkspaceDescription#isAutoBuilding()
+ * @see IWorkspaceDescription#setAutoBuilding(boolean)
+ * @since 2.1
+ */
+ public static final String PREF_AUTO_BUILDING = PREF_DESCRIPTION_PREFIX + "autobuilding"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring the order projects in the workspace
+ * are built.
+ *
+ * @see IWorkspaceDescription#getBuildOrder()
+ * @see IWorkspaceDescription#setBuildOrder(String[])
+ * @since 2.1
+ */
+ public static final String PREF_BUILD_ORDER = PREF_DESCRIPTION_PREFIX + "buildorder"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring whether to use the workspace's
+ * default order for building projects.
+ * @since 2.1
+ */
+ public static final String PREF_DEFAULT_BUILD_ORDER = PREF_DESCRIPTION_PREFIX + "defaultbuildorder"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring the maximum number of times that the
+ * workspace should rebuild when builders affect projects that have already
+ * been built.
+ *
+ * @see IWorkspaceDescription#getMaxBuildIterations()
+ * @see IWorkspaceDescription#setMaxBuildIterations(int)
+ * @since 2.1
+ */
+ public static final String PREF_MAX_BUILD_ITERATIONS = PREF_DESCRIPTION_PREFIX + "maxbuilditerations"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring the maximum number of milliseconds a
+ * file state should be kept in the local history
+ *
+ * @see IWorkspaceDescription#getFileStateLongevity()
+ * @see IWorkspaceDescription#setFileStateLongevity(long)
+ * @since 2.1
+ */
+ public static final String PREF_FILE_STATE_LONGEVITY = PREF_DESCRIPTION_PREFIX + "filestatelongevity"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring the maximum permitted size of a file
+ * to be stored in the local history
+ *
+ * @see IWorkspaceDescription#getMaxFileStateSize()
+ * @see IWorkspaceDescription#setMaxFileStateSize(long)
+ * @since 2.1
+ */
+ public static final String PREF_MAX_FILE_STATE_SIZE = PREF_DESCRIPTION_PREFIX + "maxfilestatesize"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring the maximum number of states per
+ * file that can be stored in the local history.
+ *
+ * @see IWorkspaceDescription#getMaxFileStates()
+ * @see IWorkspaceDescription#setMaxFileStates(int)
+ * @since 2.1
+ */
+ public static final String PREF_MAX_FILE_STATES = PREF_DESCRIPTION_PREFIX + "maxfilestates"; //$NON-NLS-1$
+ /**
+ * Name of a preference for configuring the amount of time in milliseconds
+ * between automatic workspace snapshots
+ *
+ * @see IWorkspaceDescription#getSnapshotInterval()
+ * @see IWorkspaceDescription#setSnapshotInterval(long)
+ * @since 2.1
+ */
+ public static final String PREF_SNAPSHOT_INTERVAL = PREF_DESCRIPTION_PREFIX + "snapshotinterval"; //$NON-NLS-1$
+
+ /**
+ * Name of a preference for turning off support for linked resources. When
+ * this preference is set to "true", attempting to create linked resources will fail.
+ * @since 2.1
+ */
+ public static final String PREF_DISABLE_LINKING = PREF_DESCRIPTION_PREFIX + "disableLinking";//$NON-NLS-1$
+
+ /**
+ * Name of a preference for configuring whether the workspace performs auto-
+ * refresh.
+ * @since 3.0
+ */
+ public static final String PREF_AUTO_REFRESH = "refresh.enabled"; //$NON-NLS-1$
+
+ /**
+ * The single instance of this plug-in runtime class.
+ */
+ private static ResourcesPlugin plugin;
+
+ /**
+ * The workspace managed by the single instance of this
+ * plug-in runtime class, or null
is there is none.
+ */
+ private static Workspace workspace = null;
+
+ private ServiceRegistration workspaceRegistration;
+
+ /**
+ * Constructs an instance of this plug-in runtime class.
+ *
+ * An instance of this plug-in runtime class is automatically created
+ * when the facilities provided by the Resources plug-in are required.
+ * Clients must never explicitly instantiate a plug-in runtime class.
+ *
+ */
+ public ResourcesPlugin() {
+ plugin = this;
+ }
+
+ /**
+ * Constructs a brand new workspace structure at the location in the local file system
+ * identified by the given path and returns a new workspace object.
+ *
+ * @exception CoreException if the workspace structure could not be constructed.
+ * Reasons include:
+ *
+ * There is an existing workspace structure on at the given location
+ * in the local file system.
+ * A file exists at the given location in the local file system.
+ * A directory could not be created at the given location in the
+ * local file system.
+ *
+ */
+ private static void constructWorkspace() throws CoreException {
+ new LocalMetaArea().createMetaArea();
+ }
+
+ /**
+ * Returns the encoding to use when reading text files in the workspace.
+ * This is the value of the PREF_ENCODING
preference, or the
+ * file system encoding (System.getProperty("file.encoding")
)
+ * if the preference is not set.
+ *
+ * Note that this method does not check whether the result is a supported
+ * encoding. Callers should be prepared to handle
+ * UnsupportedEncodingException
where this encoding is used.
+ *
+ * @return the encoding to use when reading text files in the workspace
+ * @see java.io.UnsupportedEncodingException
+ */
+ public static String getEncoding() {
+ String enc = getPlugin().getPluginPreferences().getString(PREF_ENCODING);
+ if (enc == null || enc.length() == 0) {
+ enc = System.getProperty("file.encoding"); //$NON-NLS-1$
+ }
+ return enc;
+ }
+
+ /**
+ * Returns the Resources plug-in.
+ *
+ * @return the single instance of this plug-in runtime class
+ */
+ public static ResourcesPlugin getPlugin() {
+ return plugin;
+ }
+
+ /**
+ * Returns the workspace. The workspace is not accessible after the resources
+ * plug-in has shutdown.
+ *
+ * @return the workspace that was created by the single instance of this
+ * plug-in class.
+ */
+ public static IWorkspace getWorkspace() {
+ if (workspace == null)
+ throw new IllegalStateException(Messages.resources_workspaceClosed);
+ return workspace;
+ }
+
+ /**
+ * This implementation of the corresponding {@link BundleActivator} method
+ * closes the workspace without saving.
+ * @see BundleActivator#stop(BundleContext)
+ */
+ public void stop(BundleContext context) throws Exception {
+ super.stop(context);
+ if (workspace == null)
+ return;
+ workspaceRegistration.unregister();
+ // save the preferences for this plug-in
+ getPlugin().savePluginPreferences();
+ workspace.close(null);
+
+ // Forget workspace only if successfully closed, to
+ // make it easier to debug cases where close() is failing.
+ workspace = null;
+ workspaceRegistration = null;
+ }
+
+ /**
+ * This implementation of the corresponding {@link BundleActivator} method
+ * opens the workspace.
+ * @see BundleActivator#start(BundleContext)
+ */
+ public void start(BundleContext context) throws Exception {
+ super.start(context);
+ if (!new LocalMetaArea().hasSavedWorkspace()) {
+ constructWorkspace();
+ }
+ Workspace.DEBUG = ResourcesPlugin.getPlugin().isDebugging();
+ // Remember workspace before opening, to
+ // make it easier to debug cases where open() is failing.
+ workspace = new Workspace();
+ PlatformURLResourceConnection.startup(workspace.getRoot().getLocation());
+ IStatus result = workspace.open(null);
+ if (!result.isOK())
+ getLog().log(result);
+ workspaceRegistration = context.registerService(IWorkspace.SERVICE_NAME, workspace, null);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/WorkspaceJob.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/WorkspaceJob.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,79 @@
+/*******************************************************************************
+ * Copyright (c) 2003, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.internal.resources.InternalWorkspaceJob;
+import org.eclipse.core.runtime.*;
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+
+/**
+ * A job that makes an atomic modification to the workspace. Clients must
+ * implement the abstract method runInWorkspace
instead
+ * of the usual Job.run
method.
+ *
+ * After running a method that modifies resources in the workspace,
+ * registered listeners receive after-the-fact notification of
+ * what just transpired, in the form of a resource change event.
+ * This method allows clients to call a number of
+ * methods that modify resources and only have resource
+ * change event notifications reported at the end of the entire
+ * batch. This mechanism is used to avoid unnecessary builds
+ * and notifications.
+ *
+ *
+ * Platform may decide to perform notifications during the operation.
+ * The reason for this is that it is possible for multiple threads
+ * to be modifying the workspace concurrently. When one thread finishes modifying
+ * the workspace, a notification is required to prevent responsiveness problems,
+ * even if the other operation has not yet completed.
+ *
+ *
+ * A WorkspaceJob is the asynchronous equivalent of IWorkspaceRunnable
+ *
+ *
+ * Note that the workspace is not locked against other threads during the execution
+ * of a workspace job. Other threads can be modifying the workspace concurrently
+ * with a workspace job. To obtain exclusive access to a portion of the workspace,
+ * set the scheduling rule on the job to be a resource scheduling rule. The
+ * interface IResourceRuleFactory is used to create a scheduling rule
+ * for a particular workspace modification operation.
+ *
+ * @see IWorkspaceRunnable
+ * @see org.eclipse.core.resources.IResourceRuleFactory
+ * @see IWorkspace#run(IWorkspaceRunnable, ISchedulingRule, int, IProgressMonitor)
+ * @since 3.0
+ */
+public abstract class WorkspaceJob extends InternalWorkspaceJob {
+ /**
+ * Creates a new workspace job.
+ * @param name the name of the job
+ */
+ public WorkspaceJob(String name) {
+ super(name);
+ }
+
+ /**
+ * Runs the operation, reporting progress to and accepting
+ * cancelation requests from the given progress monitor.
+ *
+ * Implementors of this method should check the progress monitor
+ * for cancelation when it is safe and appropriate to do so. The cancelation
+ * request should be propagated to the caller by throwing
+ * OperationCanceledException
.
+ *
+ *
+ * @param monitor a progress monitor, or null
if progress
+ * reporting and cancelation are not desired
+ * @return the result of running the operation
+ * @exception CoreException if this operation fails.
+ */
+ public abstract IStatus runInWorkspace(IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/WorkspaceLock.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/WorkspaceLock.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,80 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources;
+
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * A lock used to control write access to the resources in a workspace.
+ * Clients may subclass.
+ *
+ * @see IWorkspace#setWorkspaceLock(WorkspaceLock)
+ * @deprecated it is no longer possible to override the workspace lock behavior.
+ * This functionality is now provided in the platform API by implementing the
+ * org.eclipse.core.runtime.jobs.ILockListener interface.
+ */
+public class WorkspaceLock {
+
+ /**
+ * Returns a new workspace lock.
+ * @throws CoreException if fails.
+ */
+ public WorkspaceLock(IWorkspace workspace) throws CoreException {
+ //default implementation does nothing
+ //thwart compiler warning
+ }
+
+ /**
+ * Attempts to acquire this lock. Callers will block indefinitely until this lock comes
+ * available to them.
+ *
+ * Clients may extend this method but should not otherwise call it.
+ *
+ * @throws InterruptedException if fails while acquiring the lock.
+ * @see #release()
+ */
+ public boolean acquire() throws InterruptedException {
+ //default implementation does nothing
+ //thwart compiler warning
+ return false;
+ }
+
+ /**
+ * Returns the thread that currently owns the workspace lock.
+ */
+ protected Thread getCurrentOperationThread() {
+ //deprecated API
+ return null;
+ }
+
+ /**
+ * Releases this lock allowing others to acquire it.
+ *
+ * Clients may extend this method but should not otherwise call it.
+ *
+ * @see #acquire()
+ */
+ public void release() {
+ //deprecated API
+ }
+
+ /**
+ * Returns whether the workspace tree is locked
+ * for resource changes.
+ *
+ * @return true
if the tree is locked, otherwise
+ * false
+ */
+ protected boolean isTreeLocked() {
+ //deprecated API
+ return true;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/CompositeResourceMapping.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/CompositeResourceMapping.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,112 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.resources.IProject;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A resource mapping that obtains the traversals for its model object
+ * from a set of child mappings.
+ *
+ * This class is not intended to be subclasses by clients.
+ *
+ * @since 3.2
+ */
+public final class CompositeResourceMapping extends ResourceMapping {
+
+ private final ResourceMapping[] mappings;
+ private final Object modelObject;
+ private IProject[] projects;
+ private String providerId;
+
+ /**
+ * Create a composite mapping that obtains its traversals from a set of sub-mappings.
+ * @param modelObject the model object for this mapping
+ * @param mappings the sub-mappings from which the traversals are obtained
+ */
+ public CompositeResourceMapping(String providerId, Object modelObject, ResourceMapping[] mappings) {
+ this.modelObject = modelObject;
+ this.mappings = mappings;
+ this.providerId = providerId;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#contains(org.eclipse.core.resources.mapping.ResourceMapping)
+ */
+ public boolean contains(ResourceMapping mapping) {
+ for (int i = 0; i < mappings.length; i++) {
+ ResourceMapping childMapping = mappings[i];
+ if (childMapping.contains(mapping)) {
+ return true;
+ }
+ }
+ return false;
+ }
+
+ /**
+ * Return the resource mappings contained in this composite.
+ * @return Return the resource mappings contained in this composite.
+ */
+ public ResourceMapping[] getMappings() {
+ return mappings;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#getModelObject()
+ */
+ public Object getModelObject() {
+ return modelObject;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#getModelProviderId()
+ */
+ public String getModelProviderId() {
+ return providerId;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#getProjects()
+ */
+ public IProject[] getProjects() {
+ if (projects == null) {
+ Set result = new HashSet();
+ for (int i = 0; i < mappings.length; i++) {
+ ResourceMapping mapping = mappings[i];
+ result.addAll(Arrays.asList(mapping.getProjects()));
+ }
+ projects = (IProject[]) result.toArray(new IProject[result.size()]);
+ }
+ return projects;
+ }
+
+ /* (non-Javadoc)
+ * @see org.eclipse.core.resources.mapping.ResourceMapping#getTraversals(org.eclipse.core.internal.resources.mapping.ResourceMappingContext, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public ResourceTraversal[] getTraversals(ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ if (monitor == null)
+ monitor = new NullProgressMonitor();
+ try {
+ monitor.beginTask("", 100 * mappings.length); //$NON-NLS-1$
+ List result = new ArrayList();
+ for (int i = 0; i < mappings.length; i++) {
+ ResourceMapping mapping = mappings[i];
+ result.addAll(Arrays.asList(mapping.getTraversals(context, new SubProgressMonitor(monitor, 100))));
+ }
+ return (ResourceTraversal[]) result.toArray(new ResourceTraversal[result.size()]);
+ } finally {
+ monitor.done();
+ }
+ }
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/IModelProviderDescriptor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/IModelProviderDescriptor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,98 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import org.eclipse.core.resources.IResource;
+import org.eclipse.core.runtime.CoreException;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * A model provider descriptor contains information about a model provider
+ * obtained from the plug-in manifest (plugin.xml
) file.
+ *
+ * Model provider descriptors are platform-defined objects that exist
+ * independent of whether that model provider's plug-in has been started.
+ * In contrast, a model provider's runtime object (ModelProvider
)
+ * generally runs plug-in-defined code.
+ *
+ *
+ * @see org.eclipse.core.resources.mapping.ModelProvider
+ * @since 3.2
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IModelProviderDescriptor {
+
+ /**
+ * Return the ids of model providers that this model provider extends.
+ * @return the ids of model providers that this model provider extends
+ */
+ public String[] getExtendedModels();
+
+ /**
+ * Returns the unique identifier of this model provider.
+ *
+ * The model provider identifier is composed of the model provider's
+ * plug-in id and the simple id of the provider extension. For example, if
+ * plug-in "com.xyz"
defines a provider extension with id
+ * "myModelProvider"
, the unique model provider identifier will be
+ * "com.xyz.myModelProvider"
.
+ *
+ *
+ * @return the unique model provider identifier
+ */
+ public String getId();
+
+ /**
+ * Returns a displayable label for this model provider.
+ * Returns the empty string if no label for this provider
+ * is specified in the plug-in manifest file.
+ * Note that any translation specified in the plug-in manifest
+ * file is automatically applied.
+ *
+ *
+ * @return a displayable string label for this model provider,
+ * possibly the empty string
+ */
+ public String getLabel();
+
+ /**
+ * From the provides set of resources, return those that match the enablement
+ * rule specified for the model provider descriptor. The resource mappings
+ * for the returned resources can then be obtained by invoking
+ * {@link ModelProvider#getMappings(IResource[], ResourceMappingContext, IProgressMonitor)}
+ *
+ * @param resources the resources
+ * @return the resources that match the descriptor's enablement rule
+ */
+ public IResource[] getMatchingResources(IResource[] resources) throws CoreException;
+
+ /**
+ * Return the set of traversals that overlap with the resources that
+ * this descriptor matches.
+ *
+ * @param traversals the traversals being tested
+ * @return the subset of these traversals that overlap with the resources
+ * that match this descriptor
+ * @throws CoreException
+ */
+ public ResourceTraversal[] getMatchingTraversals(ResourceTraversal[] traversals) throws CoreException;
+
+ /**
+ * Return the model provider for this descriptor, instantiating it if it is
+ * the first time the method is called.
+ *
+ * @return the model provider for this descriptor
+ * @exception CoreException if the model provider could not be instantiated for
+ * some reason
+ */
+ public ModelProvider getModelProvider() throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/IResourceChangeDescriptionFactory.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/IResourceChangeDescriptionFactory.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,84 @@
+/*******************************************************************************
+ * Copyright (c) 2006, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.IProgressMonitor;
+
+/**
+ * This factory is used to build a resource delta that represents a proposed change
+ * that can then be passed to the {@link ResourceChangeValidator#validateChange(IResourceDelta, IProgressMonitor)}
+ * method in order to validate the change with any model providers stored in those resources.
+ * The deltas created by calls to the methods of this interface will be the same as
+ * those generated by the workspace if the proposed operations were performed.
+ *
+ * This factory does not validate that the proposed operation is valid given the current
+ * state of the resources and any other proposed changes. It only records the
+ * delta that would result.
+ *
+ * @see ResourceChangeValidator
+ * @see ModelProvider
+ * @since 3.2
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IResourceChangeDescriptionFactory {
+
+ /**
+ * Record a delta that represents a content change for the given file.
+ * @param file the file whose contents will be changed
+ */
+ public void change(IFile file);
+
+ /**
+ * Record the set of deltas representing the closed of a project.
+ * @param project the project that will be closed
+ */
+ public void close(IProject project);
+
+ /**
+ * Record the set of deltas representing a copy of the given resource to the
+ * given workspace path.
+ * @param resource the resource that will be copied
+ * @param destination the full workspace path of the destination the resource is being copied to
+ */
+ public void copy(IResource resource, IPath destination);
+
+ /**
+ * Record a delta that represents a resource being created.
+ * @param resource the resource that is created
+ */
+ public void create(IResource resource);
+
+ /**
+ * Record the set of deltas representing a deletion of the given resource.
+ * @param resource the resource that will be deleted
+ */
+ public void delete(IResource resource);
+
+ /**
+ * Return the proposed delta that has been accumulated by this factory.
+ * @return the proposed delta that has been accumulated by this factory
+ */
+ public IResourceDelta getDelta();
+
+ /**
+ * Record the set of deltas representing a move of the given resource to the
+ * given workspace path. Note that this API is used to describe a resource
+ * being moved to another path in the workspace, rather than a move in the
+ * file system.
+ * @param resource the resource that will be moved
+ * @param destination the full workspace path of the destination the resource is being moved to
+ */
+ public void move(IResource resource, IPath destination);
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ModelProvider.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ModelProvider.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,264 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import java.util.*;
+import org.eclipse.core.internal.resources.mapping.ModelProviderManager;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+/**
+ * Represents the provider of a logical model. The main purpose of this
+ * API is to support batch operations on sets of ResourceMapping
+ * objects that are part of the same model.
+ *
+ *
+ * This class may be subclassed by clients.
+ *
+ * @see org.eclipse.core.resources.mapping.ResourceMapping
+ * @since 3.2
+ */
+public abstract class ModelProvider extends PlatformObject {
+
+ /**
+ * The model provider id of the Resources model.
+ */
+ public static final String RESOURCE_MODEL_PROVIDER_ID = "org.eclipse.core.resources.modelProvider"; //$NON-NLS-1$
+
+ private IModelProviderDescriptor descriptor;
+
+ /**
+ * Return the descriptor for the model provider of the given id
+ * or null
if the provider has not been registered.
+ * @param id a model provider id.
+ * @return the descriptor for the model provider of the given id
+ * or null
if the provider has not been registered
+ */
+ public static IModelProviderDescriptor getModelProviderDescriptor(String id) {
+ IModelProviderDescriptor[] descs = ModelProviderManager.getDefault().getDescriptors();
+ for (int i = 0; i < descs.length; i++) {
+ IModelProviderDescriptor descriptor = descs[i];
+ if (descriptor.getId().equals(id)) {
+ return descriptor;
+ }
+ }
+ return null;
+ }
+
+ /**
+ * Return the descriptors for all model providers that are registered.
+ *
+ * @return the descriptors for all model providers that are registered.
+ */
+ public static IModelProviderDescriptor[] getModelProviderDescriptors() {
+ return ModelProviderManager.getDefault().getDescriptors();
+ }
+
+ /* (non-Javadoc)
+ * @see java.lang.Object#equals(java.lang.Object)
+ */
+ public boolean equals(Object obj) {
+ if (obj instanceof ModelProvider) {
+ ModelProvider other = (ModelProvider) obj;
+ return other.getDescriptor().getId().equals(getDescriptor().getId());
+ }
+ return super.equals(obj);
+ }
+
+ /**
+ * Return the descriptor of this model provider. The descriptor
+ * is set during initialization so implements cannot call this method
+ * until after the initialize
method is invoked.
+ * @return the descriptor of this model provider
+ */
+ public final IModelProviderDescriptor getDescriptor() {
+ return descriptor;
+ }
+
+ /**
+ * Returns the unique identifier of this model provider.
+ *
+ * The model provider identifier is composed of the model provider's
+ * plug-in id and the simple id of the provider extension. For example, if
+ * plug-in "com.xyz"
defines a provider extension with id
+ * "myModelProvider"
, the unique model provider identifier will be
+ * "com.xyz.myModelProvider"
.
+ *
+ *
+ * @return the unique model provider identifier
+ */
+ public final String getId() {
+ return descriptor.getId();
+ }
+
+ /**
+ * Return the resource mappings that cover the given resource.
+ * By default, an empty array is returned. Subclass may override
+ * this method but should consider overriding either
+ * {@link #getMappings(IResource[], ResourceMappingContext, IProgressMonitor)}
+ * or ({@link #getMappings(ResourceTraversal[], ResourceMappingContext, IProgressMonitor)}
+ * if more context is needed to determine the proper mappings.
+ *
+ * @param resource the resource
+ * @param context a resource mapping context
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return the resource mappings that cover the given resource.
+ * @exception CoreException
+ */
+ public ResourceMapping[] getMappings(IResource resource, ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ return new ResourceMapping[0];
+ }
+
+ /**
+ * Return the set of mappings that cover the given resources.
+ * This method is used to map operations on resources to
+ * operations on resource mappings. By default, this method
+ * calls getMapping(IResource)
for each resource.
+ *
+ * Subclasses may override this method.
+ *
+ *
+ * @param resources the resources
+ * @param context a resource mapping context
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return the set of mappings that cover the given resources
+ * @exception CoreException
+ */
+ public ResourceMapping[] getMappings(IResource[] resources, ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ Set mappings = new HashSet();
+ for (int i = 0; i < resources.length; i++) {
+ IResource resource = resources[i];
+ ResourceMapping[] resourceMappings = getMappings(resource, context, monitor);
+ if (resourceMappings.length > 0)
+ mappings.addAll(Arrays.asList(resourceMappings));
+ }
+ return (ResourceMapping[]) mappings.toArray(new ResourceMapping[mappings.size()]);
+ }
+
+ /**
+ * Return the set of mappings that overlap with the given resource traversals.
+ * This method is used to map operations on resources to
+ * operations on resource mappings. By default, this method
+ * calls {@link #getMappings(IResource[], ResourceMappingContext, IProgressMonitor)}
+ * with the resources extract from each traversal.
+ *
+ * Subclasses may override this method.
+ *
+ *
+ * @param traversals the traversals
+ * @param context a resource mapping context
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return the set of mappings that overlap with the given resource traversals
+ */
+ public ResourceMapping[] getMappings(ResourceTraversal[] traversals, ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ Set result = new HashSet();
+ for (int i = 0; i < traversals.length; i++) {
+ ResourceTraversal traversal = traversals[i];
+ ResourceMapping[] mappings = getMappings(traversal.getResources(), context, monitor);
+ for (int j = 0; j < mappings.length; j++)
+ result.add(mappings[j]);
+ }
+ return (ResourceMapping[]) result.toArray(new ResourceMapping[result.size()]);
+ }
+
+ /**
+ * Return a set of traversals that cover the given resource mappings. The
+ * provided mappings must be from this provider or one of the providers this
+ * provider extends.
+ *
+ * The default implementation accumulates the traversals from the given
+ * mappings. Subclasses can override to provide a more optimal
+ * transformation.
+ *
+ *
+ * @param mappings the mappings being mapped to resources
+ * @param context the context used to determine the set of traversals that
+ * cover the mappings
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a set of traversals that cover the given mappings
+ * @exception CoreException
+ */
+ public ResourceTraversal[] getTraversals(ResourceMapping[] mappings, ResourceMappingContext context, IProgressMonitor monitor) throws CoreException {
+ try {
+ monitor.beginTask("", 100 * mappings.length); //$NON-NLS-1$
+ List traversals = new ArrayList();
+ for (int i = 0; i < mappings.length; i++) {
+ ResourceMapping mapping = mappings[i];
+ traversals.addAll(Arrays.asList(mapping.getTraversals(context, new SubProgressMonitor(monitor, 100))));
+ }
+ return (ResourceTraversal[]) traversals.toArray(new ResourceTraversal[traversals.size()]);
+ } finally {
+ monitor.done();
+ }
+ }
+
+ /* (non-Javadoc)
+ * @see java.lang.Object#hashCode()
+ */
+ public int hashCode() {
+ return getDescriptor().getId().hashCode();
+ }
+
+ /**
+ * This method is called by the model provider framework when the model
+ * provider is instantiated. This method should not be called by clients and
+ * cannot be overridden by subclasses. However, it invokes the
+ * initialize
method once the descriptor is set so subclasses
+ * can override that method if they need to do additional initialization.
+ *
+ * @param desc the description of the provider as it appears in the plugin manifest
+ */
+ public final void init(IModelProviderDescriptor desc) {
+ if (descriptor != null)
+ // prevent subsequent calls from damaging this instance
+ return;
+ descriptor = desc;
+ initialize();
+ }
+
+ /**
+ * Initialization method that is called after the descriptor
+ * of this provider is set. Subclasses may override.
+ */
+ protected void initialize() {
+ // Do nothing
+ }
+
+ /**
+ * Validate the proposed changes contained in the given delta.
+ *
+ * This method must return either a {@link ModelStatus}, or a {@link MultiStatus}
+ * whose children are {@link ModelStatus}. The severity of the returned status
+ * indicates the severity of the possible side-effects of the operation. Any
+ * severity other than OK
will be shown to the user. The
+ * message should be a human readable message that will allow the user to
+ * make a decision on whether to continue with the operation. The model
+ * provider id should indicate which model is flagging the possible side effects.
+ *
+ * This default implementation accepts all changes and returns a status with
+ * severity OK
. Subclasses should override to perform
+ * validation specific to their model.
+ *
+ *
+ * @param delta a delta tree containing the proposed changes
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a status indicating any potential side effects
+ * on the model that provided this validator.
+ */
+ public IStatus validateChange(IResourceDelta delta, IProgressMonitor monitor) {
+ return new ModelStatus(IStatus.OK, ResourcesPlugin.PI_RESOURCES, descriptor.getId(), Status.OK_STATUS.getMessage());
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ModelStatus.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ModelStatus.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,56 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import org.eclipse.core.runtime.Assert;
+import org.eclipse.core.runtime.Status;
+
+/**
+ * A status returned by a model from the resource operation validator.
+ * The severity indicates the severity of the possible side effects
+ * of the operation. Any severity other than OK
should be
+ * shown to the user. The message should be a human readable message that
+ * will allow the user to make a decision as to whether to continue with the
+ * operation. The model provider id should indicate which model is flagging the
+ * the possible side effects.
+ *
+ * Clients may instantiate or subclass this class.
+ *
+ *
+ * @since 3.2
+ */
+public class ModelStatus extends Status {
+
+ private final String modelProviderId;
+
+ /**
+ * Create a model status.
+ *
+ * @param severity the severity
+ * @param pluginId the plugin id
+ * @param modelProviderId the model provider id
+ * @param message the message
+ */
+ public ModelStatus(int severity, String pluginId, String modelProviderId, String message) {
+ super(severity, pluginId, 0, message, null);
+ Assert.isNotNull(modelProviderId);
+ this.modelProviderId = modelProviderId;
+ }
+
+ /**
+ * Return the id of the model provider from which this status originated.
+ *
+ * @return the id of the model provider from which this status originated
+ */
+ public String getModelProviderId() {
+ return modelProviderId;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/RemoteResourceMappingContext.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/RemoteResourceMappingContext.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,320 @@
+/*******************************************************************************
+ * Copyright (c) 2005, 2008 IBM Corporation and others. All rights reserved.
+ * This program and the accompanying materials are made available under the
+ * terms of the Eclipse Public License v1.0 which accompanies this distribution,
+ * and is available at http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors: IBM Corporation - initial API and implementation
+ ******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A remote mapping context provides a model element with a view of the remote
+ * state of local resources as they relate to a repository operation that is in
+ * progress. A repository provider can pass an instance of this interface to a
+ * model element when obtaining a set of traversals for a model element. This
+ * allows the model element to query the remote state of a resource in order to
+ * determine if there are resources that exist remotely but do not exist locally
+ * that should be included in the traversal.
+ *
+ * This class may be subclassed by clients.
+ *
+ *
+ * @see ResourceMapping
+ * @see ResourceMappingContext
+ * @since 3.2
+ */
+public abstract class RemoteResourceMappingContext extends ResourceMappingContext {
+
+ /**
+ * Refresh flag constant (bit mask value 1) indicating that the mapping will
+ * be making use of the contents of the files covered by the traversals
+ * being refreshed.
+ */
+ public static final int FILE_CONTENTS_REQUIRED = 1;
+
+ /**
+ * Refresh flag constant (bit mask value 0) indicating that no additional
+ * refresh behavior is required.
+ */
+ public static final int NONE = 0;
+
+ /**
+ * For three-way comparisons, returns an instance of IStorage in order to
+ * allow the caller to access the contents of the base resource that
+ * corresponds to the given local resource. The base of a resource is the
+ * contents of the resource before any local modifications were made. If the
+ * base file does not exist, or if this is a two-way comparison, null
+ * is returned. The provided local file handle need not exist locally. A exception
+ * is thrown if the corresponding base resource is not a file.
+ *
+ * This method may be long running as a server may need to be contacted to
+ * obtain the contents of the file.
+ *
+ *
+ * @param file the local file
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a storage that provides access to the contents of the local
+ * resource's corresponding remote resource. If the remote file does not
+ * exist, null
is returned
+ * @exception CoreException if the contents could not be fetched. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The corresponding remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ */
+ public abstract IStorage fetchBaseContents(IFile file, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns the members of the base resource corresponding to the given container.
+ * The container and the returned members need not exist locally and may not
+ * include all children that exist locally. An empty list is returned if the base resource
+ * is empty or does not exist. An exception is thrown if the base resource is not
+ * capable of having members. This method returns null
if
+ * the base members cannot be computed, in which case clients should call
+ * {@link #fetchMembers(IContainer, IProgressMonitor)} which returns the
+ * combined members for the base and remote.
+ *
+ *
+ * This method may be long running as a server may need to be contacted to
+ * obtain the members of the base resource.
+ *
+ *
+ * This default implementation always returns null
, but subclasses
+ * may override.
+ *
+ * @param container the local container
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return the members of the base resource corresponding to the given container
+ * @exception CoreException if the members could not be fetched. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The base resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ * @since 3.3
+ */
+ public IResource[] fetchBaseMembers(IContainer container, IProgressMonitor monitor) throws CoreException {
+ //default implementation does nothing
+ //thwart compiler warning
+ return null;
+ }
+
+ /**
+ * Returns the combined members of the base and remote resources corresponding
+ * to the given container. The container need not exist locally and the result may
+ * include entries that do not exist locally and may not include all local
+ * children. An empty list is returned if the remote resource which
+ * corresponds to the container is empty or if the remote does not exist. An
+ * exception is thrown if the corresponding remote is not capable of having
+ * members.
+ *
+ * This method may be long running as a server may need to be contacted to
+ * obtain the members of the container's corresponding remote resource.
+ *
+ *
+ * @param container the local container
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return returns the combined members of the base and remote resources
+ * corresponding to the given container.
+ * @exception CoreException if the members could not be fetched. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The corresponding remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ */
+ public abstract IResource[] fetchMembers(IContainer container, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns an instance of IStorage in order to allow the caller to access
+ * the contents of the remote that corresponds to the given local resource.
+ * If the remote file does not exist, null
is returned. The
+ * provided local file handle need not exist locally. A exception is thrown
+ * if the corresponding remote resource is not a file.
+ *
+ * This method may be long running as a server may need to be contacted to
+ * obtain the contents of the file.
+ *
+ *
+ * @param file the local file
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a storage that provides access to the contents of the local
+ * resource's corresponding remote resource. If the remote file does not
+ * exist, null
is returned
+ * @exception CoreException if the contents could not be fetched. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The corresponding remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ */
+ public abstract IStorage fetchRemoteContents(IFile file, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Returns the members of the remote resource corresponding to the given container.
+ * The container and the returned members need not exist locally and may not
+ * include all children that exist locally. An empty list is returned if the remote resource
+ * is empty or does not exist. An exception is thrown if the remote resource is not
+ * capable of having members. This method returns null
if
+ * the remote members cannot be computed, in which case clients should call
+ * {@link #fetchMembers(IContainer, IProgressMonitor)} which returns the
+ * combined members for the base and remote.
+ *
+ *
+ * This method may be long running as a server may need to be contacted to
+ * obtain the members of the remote resource.
+ *
+ *
+ * This default implementation always returns null
, but subclasses
+ * may override.
+ *
+ * @param container the local container
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return the members of the remote resource corresponding to the given container
+ * @exception CoreException if the members could not be fetched. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ * @since 3.3
+ */
+ public IResource[] fetchRemoteMembers(IContainer container, IProgressMonitor monitor) throws CoreException {
+ //default implementation does nothing
+ //thwart compiler warning
+ return null;
+ }
+
+ /**
+ * Return the list of projects that apply to this context.
+ * In other words, the context is only capable of querying the
+ * remote state for projects that are contained in the
+ * returned list.
+ * @return the list of projects that apply to this context
+ */
+ public abstract IProject[] getProjects();
+
+ /**
+ * For three-way comparisons, this method indicates whether local
+ * modifications have been made to the given resource. For two-way
+ * comparisons, calling this method has the same effect as calling
+ * {@link #hasRemoteChange(IResource, IProgressMonitor)}.
+ *
+ * @param resource the resource being tested
+ * @param monitor a progress monitor
+ * @return whether the resource contains local modifications
+ * @exception CoreException if the contents could not be compared. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The corresponding remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ */
+ public abstract boolean hasLocalChange(IResource resource, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * For two-way comparisons, return whether the contents of the corresponding
+ * remote differs from the content of the local file in the context of the
+ * current operation. By this we mean that this method will return
+ * true
if the remote contents differ from the local
+ * contents.
+ *
+ * For three-way comparisons, return whether the contents of the
+ * corresponding remote differ from the contents of the base. In other
+ * words, this method returns true
if the corresponding
+ * remote has changed since the last time the local resource was updated
+ * with the remote contents.
+ *
+ * For two-way comparisons, return true
if the remote
+ * contents differ from the local contents. In this case, this method is
+ * equivalent to {@link #hasLocalChange(IResource, IProgressMonitor)}
+ *
+ * This can be used by clients to determine if they need to fetch the remote
+ * contents in order to determine if the resources that constitute the model
+ * element are different in the remote location. If the local file exists
+ * and the remote file does not, or the remote file exists and the local
+ * does not then the contents will be said to differ (i.e. true
+ * is returned). Also, implementors will most likely use a timestamp based
+ * comparison to determine if the contents differ. This may lead to a
+ * situation where true
is returned but the actual contents
+ * do not differ. Clients must be prepared handle this situation.
+ *
+ *
+ * @param resource the local resource
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return whether the contents of the corresponding remote differ from the
+ * base.
+ * @exception CoreException if the contents could not be compared. Reasons
+ * include:
+ *
+ * The server could not be contacted for some reason.
+ * The corresponding remote resource is not a container (status code
+ * will be {@link IResourceStatus#RESOURCE_WRONG_TYPE}).
+ *
+ */
+ public abstract boolean hasRemoteChange(IResource resource, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Return true
if the context is associated with an operation
+ * that is using a three-way comparison and false
if it is
+ * using a two-way comparison.
+ *
+ * @return whether the context is a three-way or two-way
+ */
+ public abstract boolean isThreeWay();
+
+ /**
+ * Refresh the known remote state for any resources covered by the given
+ * traversals. Clients who require the latest remote state should invoke
+ * this method before invoking any others of the class. Mappings can use
+ * this method as a hint to the context provider of which resources will be
+ * required for the mapping to generate the proper set of traversals.
+ *
+ * Note that this is really only a hint to the context provider. It is up to
+ * implementors to decide, based on the provided traversals, how to
+ * efficiently perform the refresh. In the ideal case, calls to
+ * {@link #hasRemoteChange(IResource, IProgressMonitor)} and
+ * {@link #fetchMembers} would not need to contact the server after a call to a
+ * refresh with appropriate traversals. Also, ideally, if
+ * {@link #FILE_CONTENTS_REQUIRED} is on of the flags, then the contents
+ * for these files will be cached as efficiently as possible so that calls to
+ * {@link #fetchRemoteContents} will also not need to contact the server. This
+ * may not be possible for all context providers, so clients cannot assume that
+ * the above mentioned methods will not be long running. It is still advisable
+ * for clients to call {@link #refresh} with as much details as possible since, in
+ * the case where a provider is optimized, performance will be much better.
+ *
+ *
+ * @param traversals the resource traversals that indicate which resources
+ * are to be refreshed
+ * @param flags additional refresh behavior. For instance, if
+ * {@link #FILE_CONTENTS_REQUIRED} is one of the flags, this indicates
+ * that the client will be accessing the contents of the files covered by
+ * the traversals. {@link #NONE} should be used when no additional
+ * behavior is required
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if the refresh fails. Reasons include:
+ *
+ * The server could not be contacted for some reason.
+ *
+ */
+ public abstract void refresh(ResourceTraversal[] traversals, int flags, IProgressMonitor monitor) throws CoreException;
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceChangeValidator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceChangeValidator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,167 @@
+/*******************************************************************************
+ * Copyright (c) 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import java.util.ArrayList;
+import java.util.List;
+import org.eclipse.core.internal.resources.mapping.ChangeDescription;
+import org.eclipse.core.internal.resources.mapping.ResourceChangeDescriptionFactory;
+import org.eclipse.core.internal.utils.Messages;
+import org.eclipse.core.internal.utils.Policy;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+import org.eclipse.osgi.util.NLS;
+
+/**
+ * The resource change validator is used to validate that changes made to
+ * resources will not adversely affect the models stored in those resources.
+ *
+ * The validator is used by first creating a resource delta describing the
+ * proposed changes. A delta can be generated using a {@link IResourceChangeDescriptionFactory}.
+ * The change is then validated by calling the {@link #validateChange(IResourceDelta, IProgressMonitor)}
+ * method. This example validates a change to a single file:
+ *
+ * IFile file = ..;//some file that is going to be changed
+ * ResourceChangeValidator validator = ResourceChangeValidator.getValidator();
+ * IResourceChangeDescriptionFactory factory = validator.createDeltaFactory();
+ * factory.change(file);
+ * IResourceDelta delta = factory.getDelta();
+ * IStatus result = validator.validateChange(delta, null);
+ *
+ * If the result status does not have severity {@link IStatus#OK}, then
+ * the changes may cause problems for models that are built on those
+ * resources. In this case the user should be presented with the status message
+ * to determine if they want to proceed with the modification.
+ *
+ *
+ * @since 3.2
+ */
+public final class ResourceChangeValidator {
+
+ private static ResourceChangeValidator instance;
+
+ /**
+ * Return the singleton change validator.
+ * @return the singleton change validator
+ */
+ public static ResourceChangeValidator getValidator() {
+ if (instance == null)
+ instance = new ResourceChangeValidator();
+ return instance;
+ }
+
+ /**
+ * Singleton accessor method should be used instead.
+ * @see #getValidator()
+ */
+ private ResourceChangeValidator() {
+ super();
+ }
+
+ private IStatus combineResults(IStatus[] result) {
+ List notOK = new ArrayList();
+ for (int i = 0; i < result.length; i++) {
+ IStatus status = result[i];
+ if (!status.isOK()) {
+ notOK.add(status);
+ }
+ }
+ if (notOK.isEmpty()) {
+ return Status.OK_STATUS;
+ }
+ if (notOK.size() == 1) {
+ return (IStatus) notOK.get(0);
+ }
+ return new MultiStatus(ResourcesPlugin.PI_RESOURCES, 0, (IStatus[]) notOK.toArray(new IStatus[notOK.size()]), Messages.mapping_multiProblems, null);
+ }
+
+ /**
+ * Return an empty change description factory that can be used to build a
+ * proposed resource delta.
+ * @return an empty change description factory that can be used to build a
+ * proposed resource delta
+ */
+ public IResourceChangeDescriptionFactory createDeltaFactory() {
+ return new ResourceChangeDescriptionFactory();
+ }
+
+ private ModelProvider[] getProviders(IResource[] resources) {
+ IModelProviderDescriptor[] descriptors = ModelProvider.getModelProviderDescriptors();
+ List result = new ArrayList();
+ for (int i = 0; i < descriptors.length; i++) {
+ IModelProviderDescriptor descriptor = descriptors[i];
+ try {
+ IResource[] matchingResources = descriptor.getMatchingResources(resources);
+ if (matchingResources.length > 0) {
+ result.add(descriptor.getModelProvider());
+ }
+ } catch (CoreException e) {
+ Policy.log(e.getStatus().getSeverity(), NLS.bind("Could not instantiate provider {0}", descriptor.getId()), e); //$NON-NLS-1$
+ }
+ }
+ return (ModelProvider[]) result.toArray(new ModelProvider[result.size()]);
+ }
+
+ /*
+ * Get the roots of any changes.
+ */
+ private IResource[] getRootResources(IResourceDelta root) {
+ final ChangeDescription changeDescription = new ChangeDescription();
+ try {
+ root.accept(new IResourceDeltaVisitor() {
+ public boolean visit(IResourceDelta delta) {
+ return changeDescription.recordChange(delta);
+ }
+ });
+ } catch (CoreException e) {
+ // Shouldn't happen since the ProposedResourceDelta accept doesn't throw an
+ // exception and our visitor doesn't either
+ Policy.log(IStatus.ERROR, "Internal error", e); //$NON-NLS-1$
+ }
+ return changeDescription.getRootResources();
+ }
+
+ /**
+ * Validate the proposed changes contained in the given delta
+ * by consulting all model providers to determine if the changes
+ * have any adverse side effects.
+ *
+ * This method returns either a {@link ModelStatus}, or a {@link MultiStatus}
+ * whose children are {@link ModelStatus}. In either case, the severity
+ * of the status indicates the severity of the possible side-effects of
+ * the operation. Any severity other than OK
should be
+ * shown to the user. The message should be a human readable message that
+ * will allow the user to make a decision on whether to continue with the
+ * operation. The model provider id should indicate which model is flagging the
+ * the possible side effects.
+ *
+ *
+ * @param delta a delta tree containing the proposed changes
+ * @return a status indicating any potential side effects
+ * on models stored in the affected resources.
+ */
+ public IStatus validateChange(IResourceDelta delta, IProgressMonitor monitor) {
+ monitor = Policy.monitorFor(monitor);
+ try {
+ IResource[] resources = getRootResources(delta);
+ ModelProvider[] providers = getProviders(resources);
+ if (providers.length == 0)
+ return Status.OK_STATUS;
+ monitor.beginTask(Messages.mapping_validate, providers.length);
+ IStatus[] result = new IStatus[providers.length];
+ for (int i = 0; i < providers.length; i++)
+ result[i] = providers[i].validateChange(delta, Policy.subMonitorFor(monitor, 1));
+ return combineResults(result);
+ } finally {
+ monitor.done();
+ }
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceMapping.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceMapping.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,201 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import java.util.ArrayList;
+import org.eclipse.core.internal.resources.mapping.ModelProviderManager;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A resource mapping supports the transformation of an application model
+ * object into its underlying file system resources. It provides the
+ * bridge between a logical element and the physical resource(s) into which it
+ * is stored but does not provide more comprehensive model access or
+ * manipulations.
+ *
+ * Mappings provide two means of model traversal. The {@link #accept} method
+ * can be used to visit the resources that constitute the model object. Alternatively,
+ * a set or traversals can be obtained by calling {@link #getTraversals}. A traversal
+ * contains a set of resources and a depth. This allows clients (such a repository providers)
+ * to do optimal traversals of the resources w.r.t. the operation that is being performed
+ * on the model object.
+ *
+ *
+ * This class may be subclassed by clients.
+ *
+
+ * @see IResource
+ * @see ResourceTraversal
+ * @since 3.2
+ */
+public abstract class ResourceMapping extends PlatformObject {
+
+ /**
+ * Accepts the given visitor for all existing resources in this mapping.
+ * The visitor's {@link IResourceVisitor#visit} method is called for each
+ * accessible resource in this mapping.
+ *
+ * @param context the traversal context
+ * @param visitor the visitor
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * The visitor failed with this exception.
+ * The traversals for this mapping could not be obtained.
+ *
+ */
+ public void accept(ResourceMappingContext context, IResourceVisitor visitor, IProgressMonitor monitor) throws CoreException {
+ ResourceTraversal[] traversals = getTraversals(context, monitor);
+ for (int i = 0; i < traversals.length; i++)
+ traversals[i].accept(visitor);
+ }
+
+ /**
+ * Return whether this resource mapping contains all the resources
+ * of the given mapping.
+ *
+ * This method always returns false
when the given resource
+ * mapping's model provider id does not match that the of the receiver.
+ *
+ *
+ * @param mapping the given resource mapping
+ * @return true
if this mapping contains all the resources
+ * of the given mapping, and false
otherwise.
+ */
+ public boolean contains(ResourceMapping mapping) {
+ return false;
+ }
+
+ /**
+ * Override equals to compare the model objects of the
+ * mapping in order to determine equality.
+ * @param obj the object to compare
+ * @return true
if the receiver is equal to the
+ * given object, and false
otherwise.
+ */
+ public boolean equals(Object obj) {
+ if (obj == this)
+ return true;
+ if (obj instanceof ResourceMapping) {
+ ResourceMapping other = (ResourceMapping) obj;
+ return other.getModelObject().equals(getModelObject());
+ }
+ return false;
+ }
+
+ /**
+ * Returns all markers of the specified type on the resources in this mapping.
+ * If includeSubtypes
is false
, only markers
+ * whose type exactly matches the given type are returned. Returns an empty
+ * array if there are no matching markers.
+ *
+ * @param type the type of marker to consider, or null
to indicate all types
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return an array of markers
+ * @exception CoreException if this method fails.
+ */
+ public IMarker[] findMarkers(String type, boolean includeSubtypes, IProgressMonitor monitor) throws CoreException {
+ final ResourceTraversal[] traversals = getTraversals(ResourceMappingContext.LOCAL_CONTEXT, monitor);
+ ArrayList result = new ArrayList();
+ for (int i = 0; i < traversals.length; i++)
+ traversals[i].doFindMarkers(result, type, includeSubtypes);
+ return (IMarker[]) result.toArray(new IMarker[result.size()]);
+ }
+
+ /**
+ * Returns the application model element associated with this
+ * resource mapping.
+ *
+ * @return the application model element associated with this
+ * resource mapping.
+ */
+ public abstract Object getModelObject();
+
+ /**
+ * Return the model provider for the model object
+ * of this resource mapping. The model provider is obtained
+ * using the id returned from getModelProviderId()
.
+ * @return the model provider
+ */
+ public final ModelProvider getModelProvider() {
+ try {
+ return ModelProviderManager.getDefault().getModelProvider(getModelProviderId());
+ } catch (CoreException e) {
+ throw new IllegalStateException(e.getMessage());
+ }
+ }
+
+ /**
+ * Returns the id of the model provider that generated this resource
+ * mapping.
+ *
+ * @return the model provider id
+ */
+ public abstract String getModelProviderId();
+
+ /**
+ * Returns the projects that contain the resources that constitute this
+ * application model.
+ *
+ * @return the projects
+ */
+ public abstract IProject[] getProjects();
+
+ /**
+ * Returns one or more traversals that can be used to access all the
+ * physical resources that constitute the logical resource. A traversal is
+ * simply a set of resources and the depth to which they are to be
+ * traversed. This method returns an array of traversals in order to provide
+ * flexibility in describing the traversals that constitute a model element.
+ *
+ * Subclasses should, when possible, include
+ * all resources that are or may be members of the model element.
+ * For instance, a model element should return the same list of
+ * resources regardless of the existence of the files on the file system.
+ * For example, if a logical resource called "form" maps to "/p1/form.xml"
+ * and "/p1/form.java" then whether form.xml or form.java existed, they
+ * should be returned by this method.
+ *
+ * In some cases, it may not be possible for a model element to know all the
+ * resources that may constitute the element without accessing the state of
+ * the model element in another location (e.g. a repository). This method is
+ * provided with a context which, when provided, gives access to
+ * the members of corresponding remote containers and the contents of
+ * corresponding remote files. This gives the model element the opportunity
+ * to deduce what additional resources should be included in the traversal.
+ *
+ *
+ * @param context gives access to the state of
+ * remote resources that correspond to local resources for the
+ * purpose of determining traversals that adequately cover the
+ * model element resources given the state of the model element
+ * in another location. This parameter may be null
, in
+ * which case the implementor can assume that only the local
+ * resources are of interest to the client.
+ * @param monitor a progress monitor, or null
if progress
+ * reporting is not desired
+ * @return a set of traversals that cover the resources that constitute the
+ * model element
+ * @exception CoreException if the traversals could not be obtained.
+ */
+ public abstract ResourceTraversal[] getTraversals(ResourceMappingContext context, IProgressMonitor monitor) throws CoreException;
+
+ /**
+ * Override hashCode to use the model object.
+ */
+ public int hashCode() {
+ return getModelObject().hashCode();
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceMappingContext.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceMappingContext.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,45 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2005 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+/**
+ * A resource mapping context is provided to a resource mapping when traversing
+ * the resources of the mapping. The type of context may determine what resources
+ * are included in the traversals of a mapping.
+ *
+ * There are currently two resource mapping contexts: the local mapping context
+ * (represented by the singleton {@link #LOCAL_CONTEXT}),
+ * and {@link RemoteResourceMappingContext}. Implementors of {@link ResourceMapping}
+ * should not assume that these are the only valid contexts (in order to allow future
+ * extensibility). Therefore, if the provided context is not of one of the above mentioned types,
+ * the implementor can assume that the context is a local context.
+ *
+ *
+ * This class may be subclassed by clients; this class is not intended to be
+ * instantiated directly.
+ *
+ *
+ * @see ResourceMapping
+ * @see RemoteResourceMappingContext
+ * @since 3.2
+ */
+public class ResourceMappingContext {
+
+ /**
+ * This resource mapping context is used to indicate that the operation
+ * that is requesting the traversals is performing a local operation.
+ * Because the operation is local, the resource mapping is free to be
+ * as precise as desired about what resources make up the mapping without
+ * concern for performing optimized remote operations.
+ */
+ public static final ResourceMappingContext LOCAL_CONTEXT = new ResourceMappingContext();
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceTraversal.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/mapping/ResourceTraversal.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,181 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2006 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.mapping;
+
+import java.util.ArrayList;
+import org.eclipse.core.internal.resources.MarkerManager;
+import org.eclipse.core.internal.resources.Workspace;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.CoreException;
+
+/**
+ * A resource traversal is simply a set of resources and the depth to which
+ * each is to be traversed. A set of traversals is used to describe the
+ * resources that constitute a model element.
+ *
+ * The flags of the traversal indicate which special resources should be
+ * included or excluded from the traversal. The flags used are the same as
+ * those passed to the {@link IResource#accept(IResourceVisitor, int, int)} method.
+ *
+ *
+ * This class may be instantiated or subclassed by clients.
+ *
+
+ * @see org.eclipse.core.resources.IResource
+ * @since 3.2
+ */
+public class ResourceTraversal {
+
+ private final int depth;
+ private final int flags;
+ private final IResource[] resources;
+
+ /**
+ * Creates a new resource traversal.
+ * @param resources The resources in the traversal
+ * @param depth The traversal depth
+ * @param flags the flags for this traversal. The traversal flags match those
+ * that are passed to the IResource#accept
method.
+ */
+ public ResourceTraversal(IResource[] resources, int depth, int flags) {
+ if (resources == null)
+ throw new NullPointerException();
+ this.resources = resources;
+ this.depth = depth;
+ this.flags = flags;
+ }
+
+ /**
+ * Visits all existing resources defined by this traversal.
+ *
+ * @param visitor a resource visitor
+ * @exception CoreException if this method fails. Reasons include:
+ *
+ * The visitor failed with this exception.
+ *
+ */
+ public void accept(IResourceVisitor visitor) throws CoreException {
+ for (int i = 0, imax = resources.length; i < imax; i++)
+ try {
+ if (resources[i].exists())
+ resources[i].accept(visitor, depth, flags);
+ } catch (CoreException e) {
+ //ignore failure in the case of concurrent deletion
+ if (e.getStatus().getCode() != IResourceStatus.RESOURCE_NOT_FOUND)
+ throw e;
+ }
+ }
+
+ /**
+ * Return whether the given resource is contained in or
+ * covered by this traversal, regardless of whether the resource
+ * currently exists.
+ *
+ * @param resource the resource to be tested
+ * @return true
if the resource is in this traversal, and
+ * false
otherwise.
+ */
+ public boolean contains(IResource resource) {
+ for (int i = 0; i < resources.length; i++) {
+ IResource member = resources[i];
+ if (contains(member, resource)) {
+ return true;
+ }
+ }
+ return false;
+ }
+
+ private boolean contains(IResource resource, IResource child) {
+ if (resource.equals(child))
+ return true;
+ if (depth == IResource.DEPTH_ZERO)
+ return false;
+ if (child.getParent().equals(resource))
+ return true;
+ if (depth == IResource.DEPTH_INFINITE)
+ return resource.getFullPath().isPrefixOf(child.getFullPath());
+ return false;
+ }
+
+ /**
+ * Efficient implementation of {@link #findMarkers(String, boolean)}, not
+ * available to clients because underlying non-API methods are used that
+ * may change.
+ */
+ void doFindMarkers(ArrayList result, String type, boolean includeSubtypes) {
+ MarkerManager markerMan = ((Workspace) ResourcesPlugin.getWorkspace()).getMarkerManager();
+ for (int i = 0; i < resources.length; i++)
+ markerMan.doFindMarkers(resources[i], result, type, includeSubtypes, depth);
+ }
+
+ /**
+ * Returns all markers of the specified type on existing resources in this traversal.
+ * If includeSubtypes
is false
, only markers
+ * whose type exactly matches the given type are returned. Returns an empty
+ * array if there are no matching markers.
+ *
+ * @param type the type of marker to consider, or null
to indicate all types
+ * @param includeSubtypes whether or not to consider sub-types of the given type
+ * @return an array of markers
+ * @exception CoreException if this method fails.
+ * @see IResource#findMarkers(String, boolean, int)
+ */
+ public IMarker[] findMarkers(String type, boolean includeSubtypes) throws CoreException {
+ if (resources.length == 0)
+ return new IMarker[0];
+ ArrayList result = new ArrayList();
+ doFindMarkers(result, type, includeSubtypes);
+ return (IMarker[]) result.toArray(new IMarker[result.size()]);
+ }
+
+ /**
+ * Returns the depth to which the resources should be traversed.
+ *
+ * @return the depth to which the physical resources are to be traversed
+ * (one of IResource.DEPTH_ZERO, IResource.DEPTH_ONE or
+ * IResource.DEPTH_INFINITE)
+ */
+ public int getDepth() {
+ return depth;
+ }
+
+ /**
+ * Return the flags for this traversal.
+ * The flags of the traversal indicate which special resources should be
+ * included or excluded from the traversal. The flags used are the same as
+ * those passed to the IResource#accept(IResourceVisitor, int, int)
method.
+ * Clients who traverse the resources manually (i.e. without calling accept
)
+ * should respect the flags when determining which resources are included
+ * in the traversal.
+ *
+ * @return the flags for this traversal
+ */
+ public int getFlags() {
+ return flags;
+ }
+
+ /**
+ * Returns the file system resource(s) for this traversal. The returned
+ * resources must be contained within the same project and need not exist in
+ * the local file system. The traversal of the returned resources should be
+ * done considering the flag returned by getDepth. If a resource returned by
+ * a traversal is a file, it should always be visited. If a resource of a
+ * traversal is a folder then files contained in the folder can only be
+ * visited if the folder is IResource.DEPTH_ONE or IResource.DEPTH_INFINITE.
+ * Child folders should only be visited if the depth is
+ * IResource.DEPTH_INFINITE.
+ *
+ * @return The resources in this traversal
+ */
+ public IResource[] getResources() {
+ return resources;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/IRefreshMonitor.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/IRefreshMonitor.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,37 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.refresh;
+
+import org.eclipse.core.resources.IResource;
+
+/**
+ * An IRefreshMonitor
monitors trees of IResources
+ * for changes in the local file system.
+ *
+ * When an IRefreshMonitor
notices changes, it should report them
+ * to the IRefreshResult
provided at the time of the monitor's
+ * creation.
+ *
+ * Clients may implement this interface.
+ *
+ *
+ * @since 3.0
+ */
+public interface IRefreshMonitor {
+ /**
+ * Informs the monitor that it should stop monitoring the given resource.
+ *
+ * @param resource the resource that should no longer be monitored, or
+ * null
if this monitor should stop monitoring all resources
+ * it is currently monitoring
+ */
+ public void unmonitor(IResource resource);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/IRefreshResult.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/IRefreshResult.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,49 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.refresh;
+
+import org.eclipse.core.resources.IResource;
+
+/**
+ * An IRefreshResult
is provided to an auto-refresh
+ * monitor. The result is used to submit resources to be refreshed, and
+ * for reporting failure of the monitor.
+ *
+ * @since 3.0
+ * @noimplement This interface is not intended to be implemented by clients.
+ * @noextend This interface is not intended to be extended by clients.
+ */
+public interface IRefreshResult {
+ /**
+ * Notifies that the given monitor has encountered a failure from which it
+ * cannot recover while monitoring the given resource.
+ *
+ * If the given resource is null
it indicates that the
+ * monitor has failed completely, and the refresh manager will have to
+ * take over the monitoring responsibilities for all resources that the
+ * monitor was monitoring.
+ *
+ * @param monitor a monitor which has encountered a failure that it
+ * cannot recover from
+ * @param resource the resource that the monitor can no longer
+ * monitor, or null
to indicate that the monitor can no
+ * longer monitor any of the resources it was monitoring
+ */
+ public void monitorFailed(IRefreshMonitor monitor, IResource resource);
+
+ /**
+ * Requests that the provided resource be refreshed. The refresh will
+ * occur in the background during the next scheduled refresh.
+ *
+ * @param resource the resource to refresh
+ */
+ public void refresh(IResource resource);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/RefreshProvider.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/refresh/RefreshProvider.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,84 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.refresh;
+
+import org.eclipse.core.internal.refresh.InternalRefreshProvider;
+import org.eclipse.core.resources.IResource;
+
+/**
+ * The abstract base class for all auto-refresh providers. This class provides
+ * the infrastructure for defining an auto-refresh provider and fulfills the
+ * contract specified by the org.eclipse.core.resources.refreshProviders
+ * standard extension point.
+ *
+ * All auto-refresh providers must subclass this class. A
+ * RefreshProvider
is responsible for creating
+ * IRefreshMonitor
objects. The provider must decide if
+ * it is capable of monitoring the file, or folder and subtree under the path that is provided.
+ *
+ * @since 3.0
+ */
+public abstract class RefreshProvider extends InternalRefreshProvider {
+ /**
+ * Creates a new refresh monitor that performs naive polling of the resource
+ * in the file system to detect changes. The returned monitor will immediately begin
+ * monitoring the specified resource root and report changes back to the workspace.
+ *
+ * This default monitor can be returned by subclasses when
+ * installMonitor
is called.
+ *
+ * If the returned monitor is not immediately returned from the installMonitor
+ * method, then clients are responsible for telling the returned monitor to
+ * stop polling when it is no longer needed. The returned monitor can be told to
+ * stop working by invoking IRefreshMonitor.unmonitor(IResource)
.
+ *
+ * @param resource The resource to begin monitoring
+ * @return A refresh monitor instance
+ * @see #installMonitor(IResource, IRefreshResult)
+ */
+ protected IRefreshMonitor createPollingMonitor(IResource resource) {
+ return super.createPollingMonitor(resource);
+ }
+
+ /**
+ * Returns an IRefreshMonitor
that will monitor a resource. If
+ * the resource is an IContainer
the monitor will also
+ * monitor the subtree under the container. Returns null
if
+ * this provider cannot create a monitor for the given resource. The
+ * provider may return the same monitor instance that has been provided for
+ * other resources.
+ *
+ * The monitor should send results and failures to the provided refresh
+ * result.
+ *
+ * @param resource the resource to monitor
+ * @param result the result callback for notifying of failure or of resources that need
+ * refreshing
+ * @return a monitor on the resource, or null
+ * if the resource cannot be monitored
+ * @see #createPollingMonitor(IResource)
+ */
+ public abstract IRefreshMonitor installMonitor(IResource resource, IRefreshResult result);
+
+ /**
+ * Resets the installed monitors for the given resource. This will remove all
+ * existing monitors that are installed on the resource, and then ask all
+ * refresh providers to begin monitoring the resource again.
+ *
+ * This method is intended to be used by refresh providers that need to change
+ * the refresh monitor that they previously used to monitor a resource.
+ *
+ * @param resource The resource to reset the monitors for
+ */
+ public void resetMonitors(IResource resource) {
+ super.resetMonitors(resource);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/FileModificationValidationContext.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/FileModificationValidationContext.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,56 @@
+/*******************************************************************************
+ * Copyright (c) 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import org.eclipse.core.resources.IWorkspace;
+
+/**
+ * A context that is used in conjunction with the {@link FileModificationValidator}
+ * to indicate that UI-based validation is desired.
+ *
+ * This class is not intended to be instantiated or subclassed by clients.
+ *
+ * @see FileModificationValidator
+ * @since 3.3
+ */
+public class FileModificationValidationContext {
+
+ /**
+ * Constant that can be passed to {@link IWorkspace#validateEdit(org.eclipse.core.resources.IFile[], Object)}
+ * to indicate that the caller does not have access to a UI context but would still
+ * like to have UI-based validation if possible.
+ */
+ public static final FileModificationValidationContext VALIDATE_PROMPT = new FileModificationValidationContext(null);
+
+ private final Object shell;
+
+ /**
+ * Create a context with the given shell.
+ *
+ * @param shell the shell
+ */
+ FileModificationValidationContext(Object shell) {
+ this.shell = shell;
+ }
+
+ /**
+ * Return the org.eclipse.swt.widgets.Shell
that is to be used to
+ * parent any dialogs with the user, or null
if there is no UI context
+ * available (declared as an Object
to avoid any direct references on the SWT component).
+ * If there is no shell, the {@link FileModificationValidator} may still perform
+ * UI-based validation if they can obtain a Shell from another source.
+ * @return the org.eclipse.swt.widgets.Shell
that is to be used to
+ * parent any dialogs with the user, or null
+ */
+ public Object getShell() {
+ return shell;
+ }
+}
\ No newline at end of file
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/FileModificationValidator.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/FileModificationValidator.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,99 @@
+/*******************************************************************************
+ * Copyright (c) 2007 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IStatus;
+
+/**
+ * The file modification validator is a Team-related hook for pre-checking operations
+ * that modify the contents of files.
+ *
+ * This class is used only in conjunction with the
+ * "org.eclipse.core.resources.fileModificationValidator"
+ * extension point. It is intended to be implemented only
+ * by the Eclipse Platform Team plug-in or by repository providers
+ * whose validator get invoked by Team.
+ *
+ * @since 3.3
+ */
+public abstract class FileModificationValidator implements IFileModificationValidator {
+
+ /**
+ * Validates that the given files can be modified. The files must all exist
+ * in the workspace. The optional context object may be supplied if
+ * UI-based validation is required. If the context is null
, the
+ * validator must attempt to perform the validation in a headless manner.
+ * The returned status is IStatus.OK
if this validator
+ * believes the given file can be modified. Other return statuses indicate
+ * the reason why the individual files cannot be modified.
+ *
+ * @param files the files that are to be modified; these files must all exist in the workspace
+ * @param context the org.eclipse.swt.widgets.Shell
that is to be used to
+ * parent any dialogs with the user, or null
if there is no UI context (declared
+ * as an Object
to avoid any direct references on the SWT component)
+ * @return a status object that is OK if things are fine, otherwise a status describing
+ * reasons why modifying the given files is not reasonable
+ * @see IWorkspace#validateEdit(IFile[], Object)
+ * @deprecated this method is part of the deprecated {@link IFileModificationValidator}
+ * interface. Clients should call {@link #validateEdit(IFile[], FileModificationValidationContext)}
+ * instead.
+ */
+ public final IStatus validateEdit(IFile[] files, Object context) {
+ FileModificationValidationContext validationContext;
+ if (context == null)
+ validationContext = null;
+ else if (context instanceof FileModificationValidationContext)
+ validationContext = (FileModificationValidationContext) context;
+ else
+ validationContext = new FileModificationValidationContext(context);
+ return validateEdit(files, validationContext);
+ }
+
+ /**
+ * Validates that the given file can be saved. This method is called from
+ * IFile#setContents
and IFile#appendContents
+ * before any attempt to write data to disk. The returned status is
+ * IStatus.OK
if this validator believes the given file can be
+ * successfully saved. In all other cases the return value is a non-OK status.
+ * Note that a return value of IStatus.OK
does not guarantee
+ * that the save will succeed.
+ *
+ * @param file the file that is to be modified; this file must exist in the workspace
+ * @return a status indicating whether or not it is reasonable to try writing to the given file;
+ * IStatus.OK
indicates a save should be attempted.
+ *
+ * @see IFile#setContents(java.io.InputStream, int, org.eclipse.core.runtime.IProgressMonitor)
+ * @see IFile#appendContents(java.io.InputStream, int, org.eclipse.core.runtime.IProgressMonitor)
+ */
+ public IStatus validateSave(IFile file) {
+ return validateEdit(new IFile[] {file}, (FileModificationValidationContext) null);
+ }
+
+ /**
+ * Validates that the given files can be modified. The files must all exist
+ * in the workspace. The optional context may be supplied if
+ * UI-based validation is required. If the context is null
, the
+ * validator must attempt to perform the validation in a headless manner.
+ * The returned status is IStatus.OK
if this validator
+ * believes the given file can be modified. Other return statuses indicate
+ * the reason why the individual files cannot be modified.
+ *
+ * @param files the files that are to be modified; these files must all exist in the workspace
+ * @param context the context to aid in UI-based validation or null
if the validation
+ * must be headless
+ * @return a status object that is OK if things are fine, otherwise a status describing
+ * reasons why modifying the given files is not reasonable
+ * @see IWorkspace#validateEdit(IFile[], Object)
+ */
+ public abstract IStatus validateEdit(IFile[] files, FileModificationValidationContext context);
+
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/IMoveDeleteHook.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/IMoveDeleteHook.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,383 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IProgressMonitor;
+import org.eclipse.core.runtime.OperationCanceledException;
+
+/**
+ * Primary interface for hooking the implementation of
+ * IResource.move
and IResource.delete
.
+ *
+ * This interface is intended to be implemented by the team component in
+ * conjunction with the org.eclipse.core.resources.moveDeleteHook
+ * standard extension point. Individual team providers may also implement this
+ * interface. It is not intended to be implemented by other clients. The methods
+ * defined on this interface are called from within the implementations of
+ * IResource.move
and IResource.delete
. They are not
+ * intended to be called from anywhere else.
+ *
+ *
+ * @since 2.0
+ */
+public interface IMoveDeleteHook {
+
+ /**
+ * Implements IResource.delete(int,IProgressMonitor)
where the
+ * receiver is a file. Returns true
to accept responsibility
+ * for implementing this operation as per the API contract.
+ *
+ * In broad terms, a full re-implementation should delete the file in the
+ * local file system and then call tree.deletedFile
to complete
+ * the updating of the workspace resource tree to reflect this fact. If
+ * unsuccessful in deleting the file from the local file system, it
+ * should instead call tree.failed
to report the reason for
+ * the failure. In either case, it should return true
to
+ * indicate that the operation was attempted. The FORCE
update
+ * flag needs to be honored: unless FORCE
is specified, the
+ * implementation must use tree.isSynchronized
to determine
+ * whether the file is in sync before attempting to delete it.
+ * The KEEP_HISTORY
update flag needs to be honored as well;
+ * use tree.addToLocalHistory
to capture the contents of the
+ * file before deleting it from the local file system.
+ *
+ * An extending implementation should perform whatever pre-processing it
+ * needs to do and then call tree.standardDeleteFile
to
+ * explicitly invoke the standard file deletion behavior, which deletes
+ * both the file from the local file system and updates the workspace
+ * resource tree. It should return true
to indicate that the
+ * operation was attempted.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardDeleteFile
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param file the handle of the file to delete; the receiver of
+ * IResource.delete(int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this method
+ * attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public boolean deleteFile(IResourceTree tree, IFile file, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Implements IResource.delete(int,IProgressMonitor)
where the
+ * receiver is a folder. Returns true
to accept responsibility
+ * for implementing this operation as per the API contract.
+ *
+ * In broad terms, a full re-implementation should delete the directory tree
+ * in the local file system and then call tree.deletedFolder
to
+ * complete the updating of the workspace resource tree to reflect this fact.
+ * If unsuccessful in deleting the directory or any of its descendents from
+ * the local file system, it should instead call tree.failed
to
+ * report each reason for failure. In either case it should return
+ * true
to indicate that the operation was attempted.
+ * The FORCE
update flag needs to be honored: unless
+ * FORCE
is specified, the implementation must use
+ * tree.isSynchronized
to determine whether the folder
+ * subtree is in sync before attempting to delete it.
+ * The KEEP_HISTORY
update flag needs to be honored as well;
+ * use tree.addToLocalHistory
to capture the contents of any
+ * files being deleted.
+ *
+ * A partial re-implementation should perform whatever pre-processing it
+ * needs to do and then call tree.standardDeleteFolder
to
+ * explicitly invoke the standard folder deletion behavior, which deletes
+ * both the folder and its descendents from the local file system and
+ * updates the workspace resource tree. It should return true
+ * to indicate that the operation was attempted.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardDeleteFolder
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param folder the handle of the folder to delete; the receiver of
+ * IResource.delete(int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this
+ * method attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public boolean deleteFolder(IResourceTree tree, IFolder folder, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Implements IResource.delete(int,IProgressMonitor)
where the
+ * receiver is a project. Returns true
to accept responsibility
+ * for implementing this operation as per the API contract.
+ *
+ * In broad terms, a full re-implementation should delete the project content area in
+ * the local file system if required (the files of a closed project should be deleted
+ * only if the IResource.ALWAYS_DELETE_PROJECT_CONTENTS
update
+ * flag is specified; the files of an open project should be deleted unless the
+ * the IResource.NEVER_DELETE_PROJECT_CONTENTS
update flag is
+ * specified). It should then call tree.deletedProject
to complete
+ * the updating of the workspace resource tree to reflect this fact. If unsuccessful
+ * in deleting the project's files from the local file system, it should instead call
+ * tree.failed
to report the reason for the failure. In either case, it
+ * should return true
to indicate that the operation was attempted.
+ * The FORCE
update flag may need to be honored if the project is open:
+ * unless FORCE
is specified, the implementation must use
+ * tree.isSynchronized
to determine whether the project subtree is in
+ * sync before attempting to delete it.
+ * Note that local history is not maintained when a project is deleted,
+ * regardless of the setting of the KEEP_HISTORY
update flag.
+ *
+ * A partial re-implementation should perform whatever pre-processing it needs
+ * to do and then call tree.standardDeleteProject
to explicitly
+ * invoke the standard project deletion behavior. It should return true
+ * to indicate that the operation was attempted.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardDeleteProject
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param project the handle of the project to delete; the receiver of
+ * IResource.delete(int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this
+ * method attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#delete(int,IProgressMonitor)
+ */
+ public boolean deleteProject(IResourceTree tree, IProject project, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Implements IResource.move(IPath,int,IProgressMonitor)
where
+ * the receiver is a file. Returns true
to accept
+ * responsibility for implementing this operation as per the API contract.
+ *
+ * On entry to this hook method, the following is guaranteed about the
+ * workspace resource tree: the source file exists; the destination file
+ * does not exist; the container of the destination file exists and is
+ * accessible. In broad terms, a full re-implementation should move the file
+ * in the local file system and then call tree.moveFile
to
+ * complete the updating of the workspace resource tree to reflect this
+ * fact. If unsuccessful in moving the file in the local file system,
+ * it should instead call tree.failed
to report the reason for
+ * the failure. In either case, it should return true
to
+ * indicate that the operation was attempted.
+ * The FORCE
update flag needs to be honored: unless
+ * FORCE
is specified, the implementation must use
+ * tree.isSynchronized
to determine whether the file is in sync before
+ * attempting to move it.
+ * The KEEP_HISTORY
update flag needs to be honored as well; use
+ * tree.addToLocalHistory
to capture the contents of the file
+ * (naturally, this must be before moving the file from the local file system).
+ *
+ * An extending implementation should perform whatever pre-processing it needs
+ * to do and then call tree.standardMoveFile
to explicitly
+ * invoke the standard file moving behavior, which moves both the file in the
+ * local file system and updates the workspace resource tree. It should return
+ * true
to indicate that the operation was attempted.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardMoveFile
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param source the handle of the file to move; the receiver of
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param destination the handle of where the file will move to; the handle
+ * equivalent of the first parameter to
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this
+ * method attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#move(org.eclipse.core.runtime.IPath,int,IProgressMonitor)
+ */
+ public boolean moveFile(IResourceTree tree, IFile source, IFile destination, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Implements IResource.move(IPath,int,IProgressMonitor)
where
+ * the receiver is a project. Returns true
to accept
+ * responsibility for implementing this operation as per the API contract.
+ *
+ * On entry to this hook method, the following is guaranteed about the
+ * workspace resource tree: the source folder exists; the destination folder
+ * does not exist; the container of the destination folder exists and is
+ * accessible. In broad terms, a full re-implementation should move the
+ * directory tree in the local file system and then call
+ * tree.movedFolder
to complete the updating of the workspace
+ * resource tree to reflect this fact. If unsuccessful in moving the
+ * directory or any of its descendents in the local file system,
+ * call tree.failed
to report each reason for failure.
+ * In either case, return true
to indicate that the operation
+ * was attempted.
+ * The FORCE
update flag needs to be honored: unless
+ * FORCE
is specified, the implementation must use
+ * tree.isSynchronized
to determine whether the folder subtree is in sync
+ * before attempting to move it.
+ * The KEEP_HISTORY
update flag needs to be honored as well; use
+ * tree.addToLocalHistory
to capture the contents of any files being
+ * moved.
+ *
+ * A partial re-implementation should perform whatever pre-processing it needs
+ * to do and then call tree.standardMoveFolder
to explicitly
+ * invoke the standard folder move behavior, which move both the folder
+ * and its descendents in the local file system and updates the workspace resource
+ * tree. Return true
to indicate that the operation was attempted.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardDeleteFolder
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param source the handle of the folder to move; the receiver of
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param destination the handle of where the folder will move to; the
+ * handle equivalent of the first parameter to
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this
+ * method attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#move(org.eclipse.core.runtime.IPath,int,IProgressMonitor)
+ */
+ public boolean moveFolder(IResourceTree tree, IFolder source, IFolder destination, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Implements IResource.move(IPath,int,IProgressMonitor)
and
+ * IResource.move(IProjectDescription,int,IProgressMonitor)
+ * where the receiver is a project. Returns true
to accept
+ * responsibility for implementing this operation as per the API contracts.
+ *
+ * On entry to this hook method, the source project is guaranteed to exist
+ * and be open in the workspace resource tree. If the given description
+ * contains a different name from that of the given project, then the
+ * project is being renamed (and its content possibly relocated). If the
+ * given description contains the same name as the given project, then the
+ * project is being relocated but not renamed. When the project is being
+ * renamed, the destination project is guaranteed not to exist in the
+ * workspace resource tree.
+ *
+ * Returning false
is the easy way for the implementation to
+ * say "pass". It is equivalent to calling
+ * tree.standardMoveProject
and returning true
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ *
+ * @param tree the workspace resource tree; this object is only valid
+ * for the duration of the invocation of this method, and must not be
+ * used after this method has completed
+ * @param source the handle of the open project to move; the receiver of
+ * IResource.move(IProjectDescription,int,IProgressMonitor)
+ * or IResource.move(IPath,int,IProgressMonitor)
+ * @param description the new description of the project; the first
+ * parameter to
+ * IResource.move(IProjectDescription,int,IProgressMonitor)
, or
+ * a copy of the project's description with the location changed to the
+ * path given in the first parameter to
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IProjectDescription,int,IProgressMonitor)
+ * or IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IProjectDescription,int,IProgressMonitor)
+ * or IResource.move(IPath,int,IProgressMonitor)
+ * @return false
if this method declined to assume
+ * responsibility for this operation, and true
if this method
+ * attempted to carry out the operation
+ * @exception OperationCanceledException if the operation is canceled.
+ * Cancelation can occur even if no progress monitor is provided.
+ * @see IResource#move(org.eclipse.core.runtime.IPath,int,IProgressMonitor)
+ * @see IResource#move(IProjectDescription,int,IProgressMonitor)
+ */
+ public boolean moveProject(IResourceTree tree, IProject source, IProjectDescription description, int updateFlags, IProgressMonitor monitor);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/IResourceTree.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/IResourceTree.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,383 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IProgressMonitor;
+import org.eclipse.core.runtime.IStatus;
+
+/**
+ * Provides internal access to the workspace resource tree for the purposes of
+ * implementing the move and delete operations. Implementations of
+ * IMoveDeleteHook
call these methods.
+ *
+ * @since 2.0
+ * @noimplement This interface is not intended to be implemented by clients.
+ */
+public interface IResourceTree {
+
+ /**
+ * Constant indicating that no file timestamp was supplied.
+ *
+ * @see #movedFile(IFile, IFile)
+ */
+ public static final long NULL_TIMESTAMP = 0L;
+
+ /**
+ * Adds the current state of the given file to the local history.
+ * Does nothing if the file does not exist in the workspace resource tree,
+ * or if it exists in the workspace resource tree but not in the local file
+ * system.
+ *
+ * This method is used to capture the state of a file in the workspace
+ * local history before it is overwritten or deleted.
+ *
+ *
+ * @param file the file to be captured
+ */
+ public void addToLocalHistory(IFile file);
+
+ /**
+ * Returns whether the given resource and its descendents to the given depth
+ * are considered to be in sync with the local file system. Returns
+ * false
if the given resource does not exist in the workspace
+ * resource tree, but exists in the local file system; and conversely.
+ *
+ * @param resource the resource of interest
+ * @param depth the depth (one of IResource.DEPTH_ZERO
,
+ * DEPTH_ONE
, or DEPTH_INFINITE
)
+ * @return true
if the resource is synchronized, and
+ * false
in all other cases
+ */
+ public boolean isSynchronized(IResource resource, int depth);
+
+ /**
+ * Computes the timestamp for the given file in the local file system.
+ * Returns NULL_TIMESTAMP
if the timestamp of the file in
+ * the local file system cannot be determined. The file need not exist in
+ * the workspace resource tree; however, if the file's project does not
+ * exist in the workspace resource tree, this method returns
+ * NULL_TIMESTAMP
because the project's local content area
+ * is indeterminate.
+ *
+ * Note that the timestamps used for workspace resource tree file
+ * synchronization are not necessarily interchangeable with
+ * java.io.File
last modification time.The ones computed by
+ * computeTimestamp
may have a higher resolution in some
+ * operating environments.
+ *
+ *
+ * @param file the file of interest
+ * @return the local file system timestamp for the file, or
+ * NULL_TIMESTAMP
if it could not be computed
+ */
+ public long computeTimestamp(IFile file);
+
+ /**
+ * Returns the timestamp for the given file as recorded in the workspace
+ * resource tree. Returns NULL_TIMESTAMP
if the given file
+ * does not exist in the workspace resource tree, or if the timestamp is
+ * not known.
+ *
+ * Note that the timestamps used for workspace resource tree file
+ * synchronization are not necessarily interchangeable with
+ * java.io.File
last modification time.The ones computed by
+ * computeTimestamp
may have a higher resolution in some
+ * operating environments.
+ *
+ *
+ * @param file the file of interest
+ * @return the workspace resource tree timestamp for the file, or
+ * NULL_TIMESTAMP
if the file does not exist in the
+ * workspace resource tree, or if the timestamp is not known
+ */
+ public long getTimestamp(IFile file);
+
+ /**
+ * Updates the timestamp for the given file in the workspace resource tree.
+ * The file is the local file system is not affected. Does nothing if the
+ * given file does not exist in the workspace resource tree.
+ *
+ * The given timestamp should be that of the corresponding file in the local
+ * file system (as computed by computeTimestamp
). A discrepancy
+ * between the timestamp of the file in the local file system and the
+ * timestamp recorded in the workspace resource tree means that the file is
+ * out of sync (isSynchronized
returns false
).
+ *
+ *
+ * This operation should be used after movedFile/Folder/Project
+ * to correct the workspace resource tree record when file timestamps change
+ * in the course of a move operation.
+ *
+ *
+ * Note that the timestamps used for workspace resource tree file
+ * synchronization are not necessarily interchangeable with
+ * java.io.File
last modification time.The ones computed by
+ * computeTimestamp
may have a higher resolution in some
+ * operating environments.
+ *
+ *
+ * @param file the file of interest
+ * @param timestamp the local file system timestamp for the file, or
+ * NULL_TIMESTAMP
if unknown
+ * @see #computeTimestamp(IFile)
+ */
+ public void updateMovedFileTimestamp(IFile file, long timestamp);
+
+ /**
+ * Declares that the operation has failed for the specified reason.
+ * This method may be called multiple times to report multiple
+ * failures. All reasons will be accumulated and taken into consideration
+ * when deciding the outcome of the hooked operation as a whole.
+ *
+ * @param reason the reason the operation (or sub-operation) failed
+ */
+ public void failed(IStatus reason);
+
+ /**
+ * Declares that the given file has been successfully deleted from the
+ * local file system, and requests that the corresponding deletion should
+ * now be made to the workspace resource tree. No action is taken if the
+ * given file does not exist in the workspace resource tree.
+ *
+ * This method clears out any markers, session properties, and persistent
+ * properties associated with the given file.
+ *
+ *
+ * @param file the file that was just deleted from the local file system
+ */
+ public void deletedFile(IFile file);
+
+ /**
+ * Declares that the given folder and all its descendents have been
+ * successfully deleted from the local file system, and requests that the
+ * corresponding deletion should now be made to the workspace resource tree.
+ * No action is taken if the given folder does not exist in the workspace
+ * resource tree.
+ *
+ * This method clears out any markers, session properties, and persistent
+ * properties associated with the given folder or its descendents.
+ *
+ *
+ * @param folder the folder that was just deleted from the local file system
+ */
+ public void deletedFolder(IFolder folder);
+
+ /**
+ * Declares that the given project's content area in the local file system
+ * has been successfully dealt with in an appropriate manner, and requests
+ * that the corresponding deletion should now be made to the workspace
+ * resource tree. No action is taken if the given project does not exist in
+ * the workspace resource tree.
+ *
+ * This method clears out everything associated with this project and any of
+ * its descendent resources, including: markers; session properties;
+ * persistent properties; local history; and project-specific plug-ins
+ * working data areas. The project's content area is not affected.
+ *
+ *
+ * @param project the project being deleted
+ */
+ public void deletedProject(IProject project);
+
+ /**
+ * Declares that the given source file has been successfully moved to the
+ * given destination in the local file system, and requests that the
+ * corresponding changes should now be made to the workspace resource tree.
+ * No action is taken if the given source file does not exist in the
+ * workspace resource tree.
+ *
+ * The destination file must not already exist in the workspace resource
+ * tree.
+ *
+ * This operation carries over the file timestamp unchanged. Use
+ * updateMovedFileTimestamp
to update the timestamp
+ * of the file if its timestamp changed as a direct consequence of the move.
+ *
+ *
+ * @param source the handle of the source file that was moved
+ * @param destination the handle of where the file moved to
+ * @see #computeTimestamp(IFile)
+ */
+ public void movedFile(IFile source, IFile destination);
+
+ /**
+ * Declares that the given source folder and its descendents have been
+ * successfully moved to the given destination in the local file system,
+ * and requests that the corresponding changes should now be made to the
+ * workspace resource tree for the folder and all its descendents. No action
+ * is taken if the given source folder does not exist in the workspace
+ * resource tree.
+ *
+ * This operation carries over file timestamps unchanged. Use
+ * updateMovedFileTimestamp
to update the timestamp of files
+ * whose timestamps changed as a direct consequence of the move.
+ *
+ * The destination folder must not already exist in the workspace resource
+ * tree.
+ *
+ *
+ * @param source the handle of the source folder that was moved
+ * @param destination the handle of where the folder moved to
+ */
+ public void movedFolderSubtree(IFolder source, IFolder destination);
+
+ /**
+ * Declares that the given source project and its files and folders have
+ * been successfully relocated in the local file system if required, and
+ * requests that the rename and/or relocation should now be made to the
+ * workspace resource tree for the project and all its descendents. No
+ * action is taken if the given project does not exist in the workspace
+ * resource tree.
+ *
+ * This operation carries over file timestamps unchanged. Use
+ * updateMovedFileTimestamp
to update the timestamp of files whose
+ * timestamps changed as a direct consequence of the move.
+ *
+ * If the project is being renamed, the destination project must not
+ * already exist in the workspace resource tree.
+ *
+ * Local history is not preserved if the project is renamed. It is preserved
+ * when the project's content area is relocated without renaming the
+ * project.
+ *
+ *
+ * @param source the handle of the source project that was moved
+ * @param description the new project description
+ * @return true
if the move succeeded, and false
+ * otherwise
+ */
+ public boolean movedProjectSubtree(IProject source, IProjectDescription description);
+
+ /**
+ * Deletes the given file in the standard manner from both the local file
+ * system and from the workspace resource tree.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of file.delete(updateFlags, monitor)
because all
+ * regular API operations that modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param file the file to delete
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ */
+ public void standardDeleteFile(IFile file, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Deletes the given folder and its descendents in the standard manner from
+ * both the local file system and from the workspace resource tree.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of folder.delete(updateFlags, monitor)
because all
+ * regular API operations that modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param folder the folder to delete
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ */
+ public void standardDeleteFolder(IFolder folder, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Deletes the given project and its descendents in the standard manner from
+ * both the local file system and from the workspace resource tree.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of project.delete(updateFlags, monitor)
because all
+ * regular API operations that modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param project the project to delete
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.delete(int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.delete(int,IProgressMonitor)
+ */
+ public void standardDeleteProject(IProject project, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Moves the given file in the standard manner from both the local file
+ * system and from the workspace resource tree.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of source.move(destination.getProjectRelativePath(),
+ * updateFlags, monitor)
because all regular API operations that
+ * modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param source the handle of the source file to move
+ * @param destination the handle of where the file will move to
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ */
+ public void standardMoveFile(IFile source, IFile destination, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Moves the given folder and its descendents in the standard manner from
+ * both the local file system and from the workspace resource tree.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of source.move(destination.getProjectRelativePath(),
+ * updateFlags, monitor)
because all regular API operations that
+ * modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param source the handle of the source folder to move
+ * @param destination the handle of where the folder will move to
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ */
+ public void standardMoveFolder(IFolder source, IFolder destination, int updateFlags, IProgressMonitor monitor);
+
+ /**
+ * Renames and/or relocates the given project in the standard manner.
+ *
+ * Implementations of IMoveDeleteHook
must invoke this method
+ * in lieu of source.move(description, updateFlags, monitor)
+ * because all regular API operations that modify resources are off limits.
+ *
+ * If the operation fails, the reason for the failure is automatically
+ * collected by an internal call to failed
.
+ *
+ *
+ * @param source the handle of the source folder to move
+ * @param description the new project description
+ * @param updateFlags bit-wise or of update flag constants as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ * @param monitor the progress monitor, or null
as per
+ * IResource.move(IPath,int,IProgressMonitor)
+ */
+ public void standardMoveProject(IProject source, IProjectDescription description, int updateFlags, IProgressMonitor monitor);
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/ResourceRuleFactory.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/ResourceRuleFactory.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,233 @@
+/*******************************************************************************
+ * Copyright (c) 2004, 2008 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM - Initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import java.util.HashSet;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.IPath;
+import org.eclipse.core.runtime.jobs.ISchedulingRule;
+import org.eclipse.core.runtime.jobs.MultiRule;
+
+/**
+ * Default implementation of IResourceRuleFactory. The teamHook extension
+ * may subclass to provide more specialized scheduling rules for workspace operations that
+ * they participate in.
+ *
+ * @see IResourceRuleFactory
+ * @since 3.0
+ */
+public class ResourceRuleFactory implements IResourceRuleFactory {
+ private final IWorkspace workspace = ResourcesPlugin.getWorkspace();
+
+ /**
+ * Creates a new default resource rule factory. This constructor must only
+ * be called by subclasses.
+ */
+ protected ResourceRuleFactory() {
+ super();
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#buildRule
.
+ * This default implementation always returns the workspace root.
+ *
+ * Subclasses may not currently override this method.
+ *
+ * @see org.eclipse.core.resources.IResourceRuleFactory#buildRule()
+ */
+ public final ISchedulingRule buildRule() {
+ return workspace.getRoot();
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#charsetRule
.
+ * This default implementation always returns the project of the resource
+ * whose charset setting is being changed, or null
if the
+ * resource is the workspace root.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#charsetRule(IResource)
+ * @since 3.1
+ */
+ public ISchedulingRule charsetRule(IResource resource) {
+ if (resource.getType() == IResource.ROOT)
+ return null;
+ return resource.getProject();
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#copyRule
.
+ * This default implementation always returns the parent of the destination
+ * resource.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#copyRule(IResource, IResource)
+ */
+ public ISchedulingRule copyRule(IResource source, IResource destination) {
+ //source is not modified, destination is created
+ return parent(destination);
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#createRule
.
+ * This default implementation always returns the parent of the resource
+ * being created.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#createRule(IResource)
+ */
+ public ISchedulingRule createRule(IResource resource) {
+ return parent(resource);
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#deleteRule
.
+ * This default implementation always returns the parent of the resource
+ * being deleted.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#deleteRule(IResource)
+ */
+ public ISchedulingRule deleteRule(IResource resource) {
+ return parent(resource);
+ }
+
+ private boolean isReadOnly(IResource resource) {
+ ResourceAttributes attributes = resource.getResourceAttributes();
+ return attributes == null ? false : attributes.isReadOnly();
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#markerRule
.
+ * This default implementation always returns null
.
+ *
+ * Subclasses may not currently override this method.
+ *
+ * @see org.eclipse.core.resources.IResourceRuleFactory#markerRule(IResource)
+ */
+ public final ISchedulingRule markerRule(IResource resource) {
+ return null;
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#modifyRule
.
+ * This default implementation returns the resource being modified, or the
+ * parent resource if modifying a project description file.
+ * Note that this must encompass any rule required by the validateSave
hook.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#modifyRule(IResource)
+ * @see FileModificationValidator#validateSave(IFile)
+ * @see IProjectDescription#DESCRIPTION_FILE_NAME
+ */
+ public ISchedulingRule modifyRule(IResource resource) {
+ IPath path = resource.getFullPath();
+ //modifying the project description may cause linked resources to be created or deleted
+ if (path.segmentCount() == 2 && path.segment(1).equals(IProjectDescription.DESCRIPTION_FILE_NAME))
+ return parent(resource);
+ return resource;
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#moveRule
.
+ * This default implementation returns a rule that combines the parent
+ * of the source resource and the parent of the destination resource.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#moveRule(IResource, IResource)
+ */
+ public ISchedulingRule moveRule(IResource source, IResource destination) {
+ //move needs the parent of both source and destination
+ return MultiRule.combine(parent(source), parent(destination));
+ }
+
+ /**
+ * Convenience method to return the parent of the given resource,
+ * or the resource itself for projects and the workspace root.
+ * @param resource the resource to compute the parent of
+ * @return the parent resource for folders and files, and the
+ * resource itself for projects and the workspace root.
+ */
+ protected final ISchedulingRule parent(IResource resource) {
+ switch (resource.getType()) {
+ case IResource.ROOT :
+ case IResource.PROJECT :
+ return resource;
+ default :
+ return resource.getParent();
+ }
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#refreshRule
.
+ * This default implementation always returns the parent of the resource
+ * being refreshed.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#refreshRule(IResource)
+ */
+ public ISchedulingRule refreshRule(IResource resource) {
+ return parent(resource);
+ }
+
+ /**
+ * Default implementation of IResourceRuleFactory#validateEditRule
.
+ * This default implementation returns a rule that combines the parents of
+ * all read-only resources, or null
if there are no read-only
+ * resources.
+ *
+ * Subclasses may override this method. The rule provided by an overriding
+ * method must at least contain the rule from this default implementation.
+ *
+ * @see org.eclipse.core.runtime.jobs.ISchedulingRule#contains(org.eclipse.core.runtime.jobs.ISchedulingRule)
+ * @see org.eclipse.core.resources.IResourceRuleFactory#validateEditRule(IResource[])
+ */
+ public ISchedulingRule validateEditRule(IResource[] resources) {
+ if (resources.length == 0)
+ return null;
+ //optimize rule for single file
+ if (resources.length == 1)
+ return isReadOnly(resources[0]) ? parent(resources[0]) : null;
+ //need a lock on the parents of all read-only files
+ HashSet rules = new HashSet();
+ for (int i = 0; i < resources.length; i++)
+ if (isReadOnly(resources[i]))
+ rules.add(parent(resources[i]));
+ if (rules.isEmpty())
+ return null;
+ if (rules.size() == 1)
+ return (ISchedulingRule) rules.iterator().next();
+ ISchedulingRule[] ruleArray = (ISchedulingRule[]) rules.toArray(new ISchedulingRule[rules.size()]);
+ return new MultiRule(ruleArray);
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/TeamHook.java
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.core.resources/src/org/eclipse/core/resources/team/TeamHook.java Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,230 @@
+/*******************************************************************************
+ * Copyright (c) 2000, 2009 IBM Corporation and others.
+ * All rights reserved. This program and the accompanying materials
+ * are made available under the terms of the Eclipse Public License v1.0
+ * which accompanies this distribution, and is available at
+ * http://www.eclipse.org/legal/epl-v10.html
+ *
+ * Contributors:
+ * IBM Corporation - initial API and implementation
+ *******************************************************************************/
+package org.eclipse.core.resources.team;
+
+import java.net.URI;
+import org.eclipse.core.filesystem.EFS;
+import org.eclipse.core.filesystem.URIUtil;
+import org.eclipse.core.internal.resources.InternalTeamHook;
+import org.eclipse.core.resources.*;
+import org.eclipse.core.runtime.*;
+
+/**
+ * A general hook class for operations that team providers may be
+ * interested in participating in. Implementors of the hook should provide
+ * a concrete subclass, and override any methods they are interested in.
+ *
+ * This class is intended to be subclassed by the team component in
+ * conjunction with the org.eclipse.core.resources.teamHook
+ * standard extension point. Individual team providers may also subclass this
+ * class. It is not intended to be subclassed by other clients. The methods
+ * defined on this class are called from within the implementations of
+ * workspace API methods and must not be invoked directly by clients.
+ *
+ *
+ * @since 2.1
+ */
+public abstract class TeamHook extends InternalTeamHook {
+ /**
+ * The default resource scheduling rule factory. This factory can be used for projects
+ * that the team hook methods do not participate in.
+ *
+ * @see #getRuleFactory(IProject)
+ * @see #setRuleFactory(IProject, IResourceRuleFactory)
+ * @since 3.0
+ */
+ protected final IResourceRuleFactory defaultFactory = new ResourceRuleFactory();
+
+ /**
+ * Creates a new team hook. Default constructor for use by subclasses and the
+ * resources plug-in only.
+ */
+ protected TeamHook() {
+ super();
+ }
+
+ /**
+ * Returns the resource scheduling rule factory that should be used when workspace
+ * operations are invoked on resources in that project. The workspace will ask the
+ * team hook this question only once per project, per session. The workspace will
+ * assume the returned result is valid for the rest of that session, unless the rule
+ * is changed by calling setRuleFactory
.
+ *
+ * This method must not return null
. If no special rules are required
+ * by the team hook for the given project, the value of the defaultFactory
+ * field should be returned.
+ *
+ * This default implementation always returns the value of the defaultFactory
+ * field. Subclasses may override and provide a subclass of ResourceRuleFactory
.
+ *
+ * @param project the project to return scheduling rules for
+ * @return the resource scheduling rules for a project
+ * @see #setRuleFactory(IProject, IResourceRuleFactory)
+ * @see ResourceRuleFactory
+ * @since 3.0
+ */
+ public IResourceRuleFactory getRuleFactory(IProject project) {
+ return defaultFactory;
+ }
+
+ /**
+ * Sets the resource scheduling rule factory to use for resource modifications
+ * in the given project. This method only needs to be called if the factory has changed
+ * since the initial call to getRuleFactory
for the given project
+ *
+ * The supplied factory must not be null
. If no special rules are required
+ * by the team hook for the given project, the value of the defaultFactory
+ * field should be used.
+ *
+ * Note that the new rule factory will only take effect for resource changing
+ * operations that begin after this method completes. Care should be taken to
+ * avoid calling this method during the invocation of any resource changing
+ * operation (in any thread). The best time to change rule factories is during resource
+ * change notification when the workspace is locked for modification.
+ *
+ * @param project the project to change the resource rule factory for
+ * @param factory the new resource rule factory
+ * @see #getRuleFactory(IProject)
+ * @see IResourceRuleFactory
+ * @since 3.0
+ */
+ protected final void setRuleFactory(IProject project, IResourceRuleFactory factory) {
+ super.setRuleFactory(project, factory);
+ }
+
+ /**
+ * Validates whether a particular attempt at link creation is allowed. This gives
+ * team providers an opportunity to hook into the beginning of the implementation
+ * of IFile.createLink
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ * This method should be overridden by subclasses that want to control what
+ * links are created. The default implementation of this method allows all links
+ * to be created.
+ *
+ *
+ * @param file the file to be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param location a file system path where the file should be linked
+ * @return a status object with code IStatus.OK
+ * if linking is allowed, otherwise a status object with severity
+ * IStatus.ERROR
indicating why the creation is not allowed.
+ * @see org.eclipse.core.resources.IResource#ALLOW_MISSING_LOCAL
+ */
+ public IStatus validateCreateLink(IFile file, int updateFlags, IPath location) {
+ return Status.OK_STATUS;
+ }
+
+ /**
+ * Validates whether a particular attempt at link creation is allowed. This gives
+ * team providers an opportunity to hook into the beginning of the implementation
+ * of {@link IFile#createLink(URI, int, IProgressMonitor) }
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ * This method should be overridden by subclasses that want to control what
+ * links are created. The default implementation of this method allows all links
+ * to be created.
+ *
+ *
+ * @param file the file to be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param location a file system URI where the file should be linked
+ * @return a status object with code IStatus.OK
+ * if linking is allowed, otherwise a status object with severity
+ * IStatus.ERROR
indicating why the creation is not allowed.
+ * @see org.eclipse.core.resources.IResource#ALLOW_MISSING_LOCAL
+ * @since 3.2
+ */
+ public IStatus validateCreateLink(IFile file, int updateFlags, URI location) {
+ //forward to old method to ensure old hooks get a chance to validate in the local case
+ if (EFS.SCHEME_FILE.equals(location.getScheme()))
+ return validateCreateLink(file, updateFlags, URIUtil.toPath(location));
+ return Status.OK_STATUS;
+ }
+
+ /**
+ * Validates whether a particular attempt at link creation is allowed. This gives
+ * team providers an opportunity to hook into the beginning of the implementation
+ * of IFolder.createLink
.
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ * This method should be overridden by subclasses that want to control what
+ * links are created. The default implementation of this method allows all links
+ * to be created.
+ *
+ *
+ * @param folder the file to be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param location a file system path where the folder should be linked
+ * @return a status object with code IStatus.OK
+ * if linking is allowed, otherwise a status object with severity
+ * IStatus.ERROR
indicating why the creation is not allowed.
+ * @see org.eclipse.core.resources.IResource#ALLOW_MISSING_LOCAL
+ */
+ public IStatus validateCreateLink(IFolder folder, int updateFlags, IPath location) {
+ return Status.OK_STATUS;
+ }
+
+ /**
+ * Validates whether a particular attempt at link creation is allowed. This gives
+ * team providers an opportunity to hook into the beginning of the implementation
+ * of {@link IFolder#createLink(URI, int, IProgressMonitor)}
+ *
+ * The implementation of this method runs "below" the resources API and is
+ * therefore very restricted in what resource API method it can call. The
+ * list of useable methods includes most resource operations that read but
+ * do not update the resource tree; resource operations that modify
+ * resources and trigger deltas must not be called from within the dynamic
+ * scope of the invocation of this method.
+ *
+ * This method should be overridden by subclasses that want to control what
+ * links are created. The default implementation of this method allows all links
+ * to be created.
+ *
+ *
+ * @param folder the file to be linked
+ * @param updateFlags bit-wise or of update flag constants
+ * (only ALLOW_MISSING_LOCAL is relevant here)
+ * @param location a file system path where the folder should be linked
+ * @return a status object with code IStatus.OK
+ * if linking is allowed, otherwise a status object with severity
+ * IStatus.ERROR
indicating why the creation is not allowed.
+ * @see org.eclipse.core.resources.IResource#ALLOW_MISSING_LOCAL
+ * @since 3.2
+ */
+ public IStatus validateCreateLink(IFolder folder, int updateFlags, URI location) {
+ //forward to old method to ensure old hooks get a chance to validate in the local case
+ if (EFS.SCHEME_FILE.equals(location.getScheme()))
+ return validateCreateLink(folder, updateFlags, URIUtil.toPath(location));
+ return Status.OK_STATUS;
+ }
+}
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/.project
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/.project Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,17 @@
+
+
+ org.eclipse.platform-feature
+
+
+
+
+
+ org.eclipse.pde.FeatureBuilder
+
+
+
+
+
+ org.eclipse.pde.FeatureNature
+
+
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/build.properties
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/build.properties Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,5 @@
+bin.includes = eclipse_update_120.jpg,\
+ epl-v10.html,\
+ feature.properties,\
+ feature.xml,\
+ license.html
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/eclipse_update_120.jpg
Binary file platform35/org.eclipse.platform-feature/eclipse_update_120.jpg has changed
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/epl-v10.html
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/epl-v10.html Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,328 @@
+
+
+
+
+
+
+
+
+Eclipse Public License - Version 1.0
+
+
+
+
+
+
+
+
+
Eclipse Public License - v 1.0
+
+
+
THE ACCOMPANYING PROGRAM IS PROVIDED UNDER
+THE TERMS OF THIS ECLIPSE PUBLIC LICENSE ("AGREEMENT"). ANY USE,
+REPRODUCTION OR DISTRIBUTION OF THE PROGRAM CONSTITUTES RECIPIENT'S ACCEPTANCE
+OF THIS AGREEMENT.
+
+
1. DEFINITIONS
+
+
"Contribution" means:
+
+
a)
+in the case of the initial Contributor, the initial code and documentation
+distributed under this Agreement, and
+b) in the case of each subsequent Contributor:
+
+
i)
+changes to the Program, and
+
+
ii)
+additions to the Program;
+
+
where
+such changes and/or additions to the Program originate from and are distributed
+by that particular Contributor. A Contribution 'originates' from a Contributor
+if it was added to the Program by such Contributor itself or anyone acting on
+such Contributor's behalf. Contributions do not include additions to the
+Program which: (i) are separate modules of software distributed in conjunction
+with the Program under their own license agreement, and (ii) are not derivative
+works of the Program.
+
+
"Contributor" means any person or
+entity that distributes the Program.
+
+
"Licensed Patents " mean patent
+claims licensable by a Contributor which are necessarily infringed by the use
+or sale of its Contribution alone or when combined with the Program.
+
+
"Program" means the Contributions
+distributed in accordance with this Agreement.
+
+
"Recipient" means anyone who
+receives the Program under this Agreement, including all Contributors.
+
+
2. GRANT OF RIGHTS
+
+
a)
+Subject to the terms of this Agreement, each Contributor hereby grants Recipient
+a non-exclusive, worldwide, royalty-free copyright license to reproduce, prepare derivative works of, publicly
+display, publicly perform, distribute and sublicense the Contribution of such
+Contributor, if any, and such derivative works, in source code and object code
+form.
+
+
b)
+Subject to the terms of this Agreement, each Contributor hereby grants
+Recipient a non-exclusive, worldwide, royalty-free
+patent license under Licensed Patents to make, use, sell, offer to sell, import
+and otherwise transfer the Contribution of such Contributor, if any, in source
+code and object code form. This patent license shall apply to the combination
+of the Contribution and the Program if, at the time the Contribution is added
+by the Contributor, such addition of the Contribution causes such combination
+to be covered by the Licensed Patents. The patent license shall not apply to
+any other combinations which include the Contribution. No hardware per se is
+licensed hereunder.
+
+
c)
+Recipient understands that although each Contributor grants the licenses to its
+Contributions set forth herein, no assurances are provided by any Contributor
+that the Program does not infringe the patent or other intellectual property
+rights of any other entity. Each Contributor disclaims any liability to Recipient
+for claims brought by any other entity based on infringement of intellectual
+property rights or otherwise. As a condition to exercising the rights and
+licenses granted hereunder, each Recipient hereby assumes sole responsibility
+to secure any other intellectual property rights needed, if any. For example,
+if a third party patent license is required to allow Recipient to distribute
+the Program, it is Recipient's responsibility to acquire that license before
+distributing the Program.
+
+
d)
+Each Contributor represents that to its knowledge it has sufficient copyright
+rights in its Contribution, if any, to grant the copyright license set forth in
+this Agreement.
+
+
3. REQUIREMENTS
+
+
A Contributor may choose to distribute the
+Program in object code form under its own license agreement, provided that:
+
+
+
a)
+it complies with the terms and conditions of this Agreement; and
+
+
b)
+its license agreement:
+
+
i)
+effectively disclaims on behalf of all Contributors all warranties and
+conditions, express and implied, including warranties or conditions of title
+and non-infringement, and implied warranties or conditions of merchantability
+and fitness for a particular purpose;
+
+
ii)
+effectively excludes on behalf of all Contributors all liability for damages,
+including direct, indirect, special, incidental and consequential damages, such
+as lost profits;
+
+
iii)
+states that any provisions which differ from this Agreement are offered by that
+Contributor alone and not by any other party; and
+
+
iv)
+states that source code for the Program is available from such Contributor, and
+informs licensees how to obtain it in a reasonable manner on or through a
+medium customarily used for software exchange.
+
+
When the Program is made available in source
+code form:
+
+
a)
+it must be made available under this Agreement; and
+
+
b) a
+copy of this Agreement must be included with each copy of the Program.
+
+
Contributors may not remove or alter any
+copyright notices contained within the Program.
+
+
Each Contributor must identify itself as the
+originator of its Contribution, if any, in a manner that reasonably allows
+subsequent Recipients to identify the originator of the Contribution.
+
+
4. COMMERCIAL DISTRIBUTION
+
+
Commercial distributors of software may
+accept certain responsibilities with respect to end users, business partners
+and the like. While this license is intended to facilitate the commercial use
+of the Program, the Contributor who includes the Program in a commercial
+product offering should do so in a manner which does not create potential
+liability for other Contributors. Therefore, if a Contributor includes the
+Program in a commercial product offering, such Contributor ("Commercial
+Contributor") hereby agrees to defend and indemnify every other
+Contributor ("Indemnified Contributor") against any losses, damages and
+costs (collectively "Losses") arising from claims, lawsuits and other
+legal actions brought by a third party against the Indemnified Contributor to
+the extent caused by the acts or omissions of such Commercial Contributor in
+connection with its distribution of the Program in a commercial product
+offering. The obligations in this section do not apply to any claims or Losses
+relating to any actual or alleged intellectual property infringement. In order
+to qualify, an Indemnified Contributor must: a) promptly notify the Commercial
+Contributor in writing of such claim, and b) allow the Commercial Contributor
+to control, and cooperate with the Commercial Contributor in, the defense and
+any related settlement negotiations. The Indemnified Contributor may participate
+in any such claim at its own expense.
+
+
For example, a Contributor might include the
+Program in a commercial product offering, Product X. That Contributor is then a
+Commercial Contributor. If that Commercial Contributor then makes performance
+claims, or offers warranties related to Product X, those performance claims and
+warranties are such Commercial Contributor's responsibility alone. Under this
+section, the Commercial Contributor would have to defend claims against the
+other Contributors related to those performance claims and warranties, and if a
+court requires any other Contributor to pay any damages as a result, the
+Commercial Contributor must pay those damages.
+
+
5. NO WARRANTY
+
+
EXCEPT AS EXPRESSLY SET FORTH IN THIS
+AGREEMENT, THE PROGRAM IS PROVIDED ON AN "AS IS" BASIS, WITHOUT
+WARRANTIES OR CONDITIONS OF ANY KIND, EITHER EXPRESS OR IMPLIED INCLUDING,
+WITHOUT LIMITATION, ANY WARRANTIES OR CONDITIONS OF TITLE, NON-INFRINGEMENT,
+MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. Each Recipient is solely
+responsible for determining the appropriateness of using and distributing the
+Program and assumes all risks associated with its exercise of rights under this
+Agreement , including but not limited to the risks and costs of program errors,
+compliance with applicable laws, damage to or loss of data, programs or
+equipment, and unavailability or interruption of operations.
+
+
6. DISCLAIMER OF LIABILITY
+
+
EXCEPT AS EXPRESSLY SET FORTH IN THIS
+AGREEMENT, NEITHER RECIPIENT NOR ANY CONTRIBUTORS SHALL HAVE ANY LIABILITY FOR
+ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
+(INCLUDING WITHOUT LIMITATION LOST PROFITS), HOWEVER CAUSED AND ON ANY THEORY
+OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
+NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OR DISTRIBUTION OF
+THE PROGRAM OR THE EXERCISE OF ANY RIGHTS GRANTED HEREUNDER, EVEN IF ADVISED OF
+THE POSSIBILITY OF SUCH DAMAGES.
+
+
7. GENERAL
+
+
If any provision of this Agreement is invalid
+or unenforceable under applicable law, it shall not affect the validity or
+enforceability of the remainder of the terms of this Agreement, and without
+further action by the parties hereto, such provision shall be reformed to the
+minimum extent necessary to make such provision valid and enforceable.
+
+
If Recipient institutes patent litigation
+against any entity (including a cross-claim or counterclaim in a lawsuit)
+alleging that the Program itself (excluding combinations of the Program with
+other software or hardware) infringes such Recipient's patent(s), then such
+Recipient's rights granted under Section 2(b) shall terminate as of the date
+such litigation is filed.
+
+
All Recipient's rights under this Agreement
+shall terminate if it fails to comply with any of the material terms or
+conditions of this Agreement and does not cure such failure in a reasonable
+period of time after becoming aware of such noncompliance. If all Recipient's
+rights under this Agreement terminate, Recipient agrees to cease use and
+distribution of the Program as soon as reasonably practicable. However,
+Recipient's obligations under this Agreement and any licenses granted by
+Recipient relating to the Program shall continue and survive.
+
+
Everyone is permitted to copy and distribute
+copies of this Agreement, but in order to avoid inconsistency the Agreement is
+copyrighted and may only be modified in the following manner. The Agreement
+Steward reserves the right to publish new versions (including revisions) of
+this Agreement from time to time. No one other than the Agreement Steward has
+the right to modify this Agreement. The Eclipse Foundation is the initial
+Agreement Steward. The Eclipse Foundation may assign the responsibility to
+serve as the Agreement Steward to a suitable separate entity. Each new version
+of the Agreement will be given a distinguishing version number. The Program
+(including Contributions) may always be distributed subject to the version of
+the Agreement under which it was received. In addition, after a new version of
+the Agreement is published, Contributor may elect to distribute the Program
+(including its Contributions) under the new version. Except as expressly stated
+in Sections 2(a) and 2(b) above, Recipient receives no rights or licenses to
+the intellectual property of any Contributor under this Agreement, whether
+expressly, by implication, estoppel or otherwise. All rights in the Program not
+expressly granted under this Agreement are reserved.
+
+
This Agreement is governed by the laws of the
+State of New York and the intellectual property laws of the United States of
+America. No party to this Agreement will bring a legal action under this
+Agreement more than one year after the cause of action arose. Each party waives
+its rights to a jury trial in any resulting litigation.
+
+
+
+
+
+
+
+
\ No newline at end of file
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/feature.properties
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/feature.properties Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,148 @@
+###############################################################################
+# Copyright (c) 2000, 2005 IBM Corporation and others.
+# All rights reserved. This program and the accompanying materials
+# are made available under the terms of the Eclipse Public License v1.0
+# which accompanies this distribution, and is available at
+# http://www.eclipse.org/legal/epl-v10.html
+#
+# Contributors:
+# IBM Corporation - initial API and implementation
+###############################################################################
+# feature.properties
+# contains externalized strings for feature.xml
+# "%foo" in feature.xml corresponds to the key "foo" in this file
+# java.io.Properties file (ISO 8859-1 with "\" escapes)
+# This file should be translated.
+
+# "featureName" property - name of the feature
+featureName=Eclipse Platform
+
+# "providerName" property - name of the company that provides the feature
+providerName=Eclipse.org
+
+# "updateSiteName" property - label for the update site
+updateSiteName=The Eclipse Project Updates
+
+# "secondarySiteName" property - label for the update site
+secondaryUpdateSiteName=Galileo Discovery Site
+
+
+# "description" property - description of the feature
+description=Common OS-independent base of the Eclipse platform. (Binary runtime and user documentation.)
+
+# "copyright" property - text of the "Feature Update Copyright"
+copyright=\
+Copyright (c) 2000, 2009 IBM Corporation and others.\n\
+All rights reserved. This program and the accompanying materials\n\
+are made available under the terms of the Eclipse Public License v1.0\n\
+which accompanies this distribution, and is available at\n\
+http://www.eclipse.org/legal/epl-v10.html\n\
+\n\
+Contributors:\n\
+ IBM Corporation - initial API and implementation\n
+################ end of copyright property ####################################
+
+# "licenseURL" property - URL of the "Feature License"
+# do not translate value - just change to point to a locale-specific HTML page
+licenseURL=license.html
+
+# "license" property - text of the "Feature Update License"
+# should be plain text version of license agreement pointed to be "licenseURL"
+license=\
+ECLIPSE FOUNDATION SOFTWARE USER AGREEMENT\n\
+March 17, 2005\n\
+\n\
+Usage Of Content\n\
+\n\
+THE ECLIPSE FOUNDATION MAKES AVAILABLE SOFTWARE, DOCUMENTATION, INFORMATION AND/OR\n\
+OTHER MATERIALS FOR OPEN SOURCE PROJECTS (COLLECTIVELY "CONTENT").\n\
+USE OF THE CONTENT IS GOVERNED BY THE TERMS AND CONDITIONS OF THIS\n\
+AGREEMENT AND/OR THE TERMS AND CONDITIONS OF LICENSE AGREEMENTS OR\n\
+NOTICES INDICATED OR REFERENCED BELOW. BY USING THE CONTENT, YOU\n\
+AGREE THAT YOUR USE OF THE CONTENT IS GOVERNED BY THIS AGREEMENT\n\
+AND/OR THE TERMS AND CONDITIONS OF ANY APPLICABLE LICENSE AGREEMENTS\n\
+OR NOTICES INDICATED OR REFERENCED BELOW. IF YOU DO NOT AGREE TO THE\n\
+TERMS AND CONDITIONS OF THIS AGREEMENT AND THE TERMS AND CONDITIONS\n\
+OF ANY APPLICABLE LICENSE AGREEMENTS OR NOTICES INDICATED OR REFERENCED\n\
+BELOW, THEN YOU MAY NOT USE THE CONTENT.\n\
+\n\
+Applicable Licenses\n\
+\n\
+Unless otherwise indicated, all Content made available by the Eclipse Foundation\n\
+is provided to you under the terms and conditions of the Eclipse Public\n\
+License Version 1.0 ("EPL"). A copy of the EPL is provided with this\n\
+Content and is also available at http://www.eclipse.org/legal/epl-v10.html.\n\
+For purposes of the EPL, "Program" will mean the Content.\n\
+\n\
+Content includes, but is not limited to, source code, object code,\n\
+documentation and other files maintained in the Eclipse.org CVS\n\
+repository ("Repository") in CVS modules ("Modules") and made available\n\
+as downloadable archives ("Downloads").\n\
+\n\
+ - Content may be structured and packaged into modules to facilitate delivering,\n\
+ extending, and upgrading the Content. Typical modules may include plug-ins ("Plug-ins"),\n\
+ plug-in fragments ("Fragments"), and features ("Features").\n\
+ - Each Plug-in or Fragment may be packaged as a sub-directory or JAR (Java? ARchive)\n\
+ in a directory named "plugins".\n\
+ - A Feature is a bundle of one or more Plug-ins and/or Fragments and associated material.\n\
+ Each Feature may be packaged as a sub-directory in a directory named "features".\n\
+ Within a Feature, files named "feature.xml" may contain a list of the names and version\n\
+ numbers of the Plug-ins and/or Fragments associated with that Feature.\n\
+ - Features may also include other Features ("Included Features"). Within a Feature, files\n\
+ named "feature.xml" may contain a list of the names and version numbers of Included Features.\n\
+\n\
+Features may also include other Features ("Included Features"). Files named\n\
+"feature.xml" may contain a list of the names and version numbers of\n\
+Included Features.\n\
+\n\
+The terms and conditions governing Plug-ins and Fragments should be\n\
+contained in files named "about.html" ("Abouts"). The terms and\n\
+conditions governing Features and Included Features should be contained\n\
+in files named "license.html" ("Feature Licenses"). Abouts and Feature\n\
+Licenses may be located in any directory of a Download or Module\n\
+including, but not limited to the following locations:\n\
+\n\
+ - The top-level (root) directory\n\
+ - Plug-in and Fragment directories\n\
+ - Inside Plug-ins and Fragments packaged as JARs\n\
+ - Sub-directories of the directory named "src" of certain Plug-ins\n\
+ - Feature directories\n\
+\n\
+Note: if a Feature made available by the Eclipse Foundation is installed using the\n\
+Eclipse Update Manager, you must agree to a license ("Feature Update\n\
+License") during the installation process. If the Feature contains\n\
+Included Features, the Feature Update License should either provide you\n\
+with the terms and conditions governing the Included Features or inform\n\
+you where you can locate them. Feature Update Licenses may be found in\n\
+the "license" property of files named "feature.properties". Such Abouts,\n\
+Feature Licenses and Feature Update Licenses contain the terms and\n\
+conditions (or references to such terms and conditions) that govern your\n\
+use of the associated Content in that directory.\n\
+\n\
+THE ABOUTS, FEATURE LICENSES AND FEATURE UPDATE LICENSES MAY REFER\n\
+TO THE EPL OR OTHER LICENSE AGREEMENTS, NOTICES OR TERMS AND CONDITIONS.\n\
+SOME OF THESE OTHER LICENSE AGREEMENTS MAY INCLUDE (BUT ARE NOT LIMITED TO):\n\
+\n\
+ - Common Public License Version 1.0 (available at http://www.eclipse.org/legal/cpl-v10.html)\n\
+ - Apache Software License 1.1 (available at http://www.apache.org/licenses/LICENSE)\n\
+ - Apache Software License 2.0 (available at http://www.apache.org/licenses/LICENSE-2.0)\n\
+ - IBM Public License 1.0 (available at http://oss.software.ibm.com/developerworks/opensource/license10.html)\n\
+ - Metro Link Public License 1.00 (available at http://www.opengroup.org/openmotif/supporters/metrolink/license.html)\n\
+ - Mozilla Public License Version 1.1 (available at http://www.mozilla.org/MPL/MPL-1.1.html)\n\
+\n\
+IT IS YOUR OBLIGATION TO READ AND ACCEPT ALL SUCH TERMS AND CONDITIONS PRIOR\n\
+TO USE OF THE CONTENT. If no About, Feature License or Feature Update License\n\
+is provided, please contact the Eclipse Foundation to determine what terms and conditions\n\
+govern that particular Content.\n\
+\n\
+Cryptography\n\
+\n\
+Content may contain encryption software. The country in which you are\n\
+currently may have restrictions on the import, possession, and use,\n\
+and/or re-export to another country, of encryption software. BEFORE\n\
+using any encryption software, please check the country's laws,\n\
+regulations and policies concerning the import, possession, or use,\n\
+and re-export of encryption software, to see if this is permitted.\n\
+\n\
+Java and all Java-based trademarks are trademarks of Sun Microsystems, Inc. in the United States, other countries, or both.\n
+########### end of license property ##########################################
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/feature.xml
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/feature.xml Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,619 @@
+
+
+
+
+ %description
+
+
+
+ %copyright
+
+
+
+ %license
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
diff -r 2a03ec4dbf31 -r eb3c938c7fef platform35/org.eclipse.platform-feature/license.html
--- /dev/null Thu Jan 01 00:00:00 1970 +0000
+++ b/platform35/org.eclipse.platform-feature/license.html Thu Jul 30 11:56:23 2009 -0500
@@ -0,0 +1,79 @@
+
+
+
+
+Eclipse.org Software User Agreement
+
+
+
+Eclipse Foundation Software User Agreement
+March 17, 2005
+
+Usage Of Content
+
+THE ECLIPSE FOUNDATION MAKES AVAILABLE SOFTWARE, DOCUMENTATION, INFORMATION AND/OR OTHER MATERIALS FOR OPEN SOURCE PROJECTS
+ (COLLECTIVELY "CONTENT"). USE OF THE CONTENT IS GOVERNED BY THE TERMS AND CONDITIONS OF THIS AGREEMENT AND/OR THE TERMS AND
+ CONDITIONS OF LICENSE AGREEMENTS OR NOTICES INDICATED OR REFERENCED BELOW. BY USING THE CONTENT, YOU AGREE THAT YOUR USE
+ OF THE CONTENT IS GOVERNED BY THIS AGREEMENT AND/OR THE TERMS AND CONDITIONS OF ANY APPLICABLE LICENSE AGREEMENTS OR
+ NOTICES INDICATED OR REFERENCED BELOW. IF YOU DO NOT AGREE TO THE TERMS AND CONDITIONS OF THIS AGREEMENT AND THE TERMS AND
+ CONDITIONS OF ANY APPLICABLE LICENSE AGREEMENTS OR NOTICES INDICATED OR REFERENCED BELOW, THEN YOU MAY NOT USE THE CONTENT.
+
+Applicable Licenses
+
+Unless otherwise indicated, all Content made available by the Eclipse Foundation is provided to you under the terms and conditions of the Eclipse Public License Version 1.0
+ ("EPL"). A copy of the EPL is provided with this Content and is also available at http://www.eclipse.org/legal/epl-v10.html .
+ For purposes of the EPL, "Program" will mean the Content.
+
+Content includes, but is not limited to, source code, object code, documentation and other files maintained in the Eclipse.org CVS repository ("Repository") in CVS
+ modules ("Modules") and made available as downloadable archives ("Downloads").
+
+
+ Content may be structured and packaged into modules to facilitate delivering, extending, and upgrading the Content. Typical modules may include plug-ins ("Plug-ins"), plug-in fragments ("Fragments"), and features ("Features").
+ Each Plug-in or Fragment may be packaged as a sub-directory or JAR (Java™ ARchive) in a directory named "plugins".
+ A Feature is a bundle of one or more Plug-ins and/or Fragments and associated material. Each Feature may be packaged as a sub-directory in a directory named "features". Within a Feature, files named "feature.xml" may contain a list of the names and version numbers of the Plug-ins
+ and/or Fragments associated with that Feature.
+ Features may also include other Features ("Included Features"). Within a Feature, files named "feature.xml" may contain a list of the names and version numbers of Included Features.
+
+
+The terms and conditions governing Plug-ins and Fragments should be contained in files named "about.html" ("Abouts"). The terms and conditions governing Features and
+Included Features should be contained in files named "license.html" ("Feature Licenses"). Abouts and Feature Licenses may be located in any directory of a Download or Module
+including, but not limited to the following locations:
+
+
+ The top-level (root) directory
+ Plug-in and Fragment directories
+ Inside Plug-ins and Fragments packaged as JARs
+ Sub-directories of the directory named "src" of certain Plug-ins
+ Feature directories
+
+
+Note: if a Feature made available by the Eclipse Foundation is installed using the Eclipse Update Manager, you must agree to a license ("Feature Update License") during the
+installation process. If the Feature contains Included Features, the Feature Update License should either provide you with the terms and conditions governing the Included Features or
+inform you where you can locate them. Feature Update Licenses may be found in the "license" property of files named "feature.properties" found within a Feature.
+Such Abouts, Feature Licenses, and Feature Update Licenses contain the terms and conditions (or references to such terms and conditions) that govern your use of the associated Content in
+that directory.
+
+THE ABOUTS, FEATURE LICENSES, AND FEATURE UPDATE LICENSES MAY REFER TO THE EPL OR OTHER LICENSE AGREEMENTS, NOTICES OR TERMS AND CONDITIONS. SOME OF THESE
+OTHER LICENSE AGREEMENTS MAY INCLUDE (BUT ARE NOT LIMITED TO):
+
+
+
+IT IS YOUR OBLIGATION TO READ AND ACCEPT ALL SUCH TERMS AND CONDITIONS PRIOR TO USE OF THE CONTENT. If no About, Feature License, or Feature Update License is provided, please
+contact the Eclipse Foundation to determine what terms and conditions govern that particular Content.
+
+Cryptography
+
+Content may contain encryption software. The country in which you are currently may have restrictions on the import, possession, and use, and/or re-export to
+ another country, of encryption software. BEFORE using any encryption software, please check the country's laws, regulations and policies concerning the import,
+ possession, or use, and re-export of encryption software, to see if this is permitted.
+
+Java and all Java-based trademarks are trademarks of Sun Microsystems, Inc. in the United States, other countries, or both.
+
+