code
stringlengths
11
173k
docstring
stringlengths
2
593k
func_name
stringlengths
2
189
language
stringclasses
1 value
repo
stringclasses
844 values
path
stringlengths
11
294
url
stringlengths
60
339
license
stringclasses
4 values
public int hashCode() { return hashCode; }
Computes the hash value for this attribute name.
Name::hashCode
java
Reginer/aosp-android-jar
android-34/src/java/util/jar/Attributes.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/java/util/jar/Attributes.java
MIT
public String toString() { return name; }
Returns the attribute name as a String.
Name::toString
java
Reginer/aosp-android-jar
android-34/src/java/util/jar/Attributes.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/java/util/jar/Attributes.java
MIT
public @DetectionAlgorithmStatus int getAlgorithmStatus() { return mAlgorithmStatus; }
Returns the status of the detection algorithm.
TelephonyTimeZoneAlgorithmStatus::getAlgorithmStatus
java
Reginer/aosp-android-jar
android-35/src/android/app/time/TelephonyTimeZoneAlgorithmStatus.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-35/src/android/app/time/TelephonyTimeZoneAlgorithmStatus.java
MIT
public RadialGradient(float centerX, float centerY, float radius, @NonNull @ColorInt int[] colors, @Nullable float[] stops, @NonNull TileMode tileMode) { this(centerX, centerY, 0f, centerX, centerY, radius, convertColors(colors), stops, tileMode, ColorSpace.get(ColorSpace.Named.SRGB)); }
Create a shader that draws a radial gradient given the center and radius. @param centerX The x-coordinate of the center of the radius @param centerY The y-coordinate of the center of the radius @param radius Must be positive. The radius of the circle for this gradient. @param colors The sRGB colors to be distributed between the center and edge of the circle @param stops May be <code>null</code>. Valid values are between <code>0.0f</code> and <code>1.0f</code>. The relative position of each corresponding color in the colors array. If <code>null</code>, colors are distributed evenly between the center and edge of the circle. @param tileMode The Shader tiling mode
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
public RadialGradient(float centerX, float centerY, float radius, @NonNull @ColorLong long[] colors, @Nullable float[] stops, @NonNull TileMode tileMode) { this(centerX, centerY, 0f, centerX, centerY, radius, colors.clone(), stops, tileMode, detectColorSpace(colors)); }
Create a shader that draws a radial gradient given the center and radius. @param centerX The x-coordinate of the center of the radius @param centerY The y-coordinate of the center of the radius @param radius Must be positive. The radius of the circle for this gradient. @param colors The colors to be distributed between the center and edge of the circle @param stops May be <code>null</code>. Valid values are between <code>0.0f</code> and <code>1.0f</code>. The relative position of each corresponding color in the colors array. If <code>null</code>, colors are distributed evenly between the center and edge of the circle. @param tileMode The Shader tiling mode @throws IllegalArgumentException if there are less than two colors, the colors do not share the same {@link ColorSpace} or do not use a valid one, or {@code stops} is not {@code null} and has a different length from {@code colors}.
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
public RadialGradient(float startX, float startY, @FloatRange(from = 0.0f) float startRadius, float endX, float endY, @FloatRange(from = 0.0f, fromInclusive = false) float endRadius, @NonNull @ColorLong long[] colors, @Nullable float[] stops, @NonNull TileMode tileMode) { this(startX, startY, startRadius, endX, endY, endRadius, colors.clone(), stops, tileMode, detectColorSpace(colors)); }
Create a shader that draws a radial gradient given the start and end points as well as starting and ending radii. The starting point is often referred to as the focal center and represents the starting circle of the radial gradient. @param startX The x-coordinate of the center of the starting circle of the radial gradient, often referred to as the focal point. @param startY The y-coordinate of the center of the starting circle of the radial gradient, often referred to as the focal point. @param startRadius The radius of the starting circle of the radial gradient, often referred to as the focal radius. Must be greater than or equal to zero. @param endX The x-coordinate of the center of the radius for the end circle of the radial gradient @param endY The y-coordinate of the center of the radius for the end circle of the radial gradient @param endRadius The radius of the ending circle for this gradient. This must be strictly greater than zero. A radius value equal to zero is not allowed. @param colors The colors to be distributed between the center and edge of the circle @param stops May be <code>null</code>. Valid values are between <code>0.0f</code> and <code>1.0f</code>. The relative position of each corresponding color in the colors array. If <code>null</code>, colors are distributed evenly between the center and edge of the circle. @param tileMode The Shader tiling mode @throws IllegalArgumentException In one of the following circumstances: <ul> <li>There are less than two colors</li> <li>The colors do not share the same {@link ColorSpace}</li> <li>The colors do not use a valid {@link ColorSpace}</li> <li> The {@code stops} parameter is not {@code null} and has a different length from {@code colors}. </li> <li>The {@code startRadius} is negative</li> <li>The {@code endRadius} is less than or equal to zero</li> </ul>
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
private RadialGradient(float startX, float startY, float startRadius, float endX, float endY, float endRadius, @NonNull @ColorLong long[] colors, @Nullable float[] stops, @NonNull TileMode tileMode, ColorSpace colorSpace ) { super(colorSpace); // A focal or starting radius of zero with a focal point that matches the center is // identical to a regular radial gradient if (startRadius < 0) { throw new IllegalArgumentException("starting/focal radius must be >= 0"); } if (endRadius <= 0) { throw new IllegalArgumentException("ending radius must be > 0"); } if (stops != null && colors.length != stops.length) { throw new IllegalArgumentException("color and position arrays must be of equal length"); } mX = endX; mY = endY; mRadius = endRadius; mFocalX = startX; mFocalY = startY; mFocalRadius = startRadius; mColorLongs = colors; mPositions = stops != null ? stops.clone() : null; mTileMode = tileMode; }
Base constructor. Assumes @param colors is a copy that this object can hold onto, and all colors share @param colorSpace.
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
public RadialGradient(float centerX, float centerY, float radius, @ColorInt int centerColor, @ColorInt int edgeColor, @NonNull TileMode tileMode) { this(centerX, centerY, radius, Color.pack(centerColor), Color.pack(edgeColor), tileMode); }
Create a shader that draws a radial gradient given the center and radius. @param centerX The x-coordinate of the center of the radius @param centerY The y-coordinate of the center of the radius @param radius Must be positive. The radius of the circle for this gradient @param centerColor The sRGB color at the center of the circle. @param edgeColor The sRGB color at the edge of the circle. @param tileMode The Shader tiling mode
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
public RadialGradient(float centerX, float centerY, float radius, @ColorLong long centerColor, @ColorLong long edgeColor, @NonNull TileMode tileMode) { this(centerX, centerY, radius, new long[] {centerColor, edgeColor}, null, tileMode); }
Create a shader that draws a radial gradient given the center and radius. @param centerX The x-coordinate of the center of the radius @param centerY The y-coordinate of the center of the radius @param radius Must be positive. The radius of the circle for this gradient @param centerColor The color at the center of the circle. @param edgeColor The color at the edge of the circle. @param tileMode The Shader tiling mode @throws IllegalArgumentException if the colors do not share the same {@link ColorSpace} or do not use a valid one.
RadialGradient::RadialGradient
java
Reginer/aosp-android-jar
android-32/src/android/graphics/RadialGradient.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/graphics/RadialGradient.java
MIT
PictureInPictureUiState(Parcel in) { mIsStashed = in.readBoolean(); }
Used by {@link Activity#onPictureInPictureUiStateChanged(PictureInPictureUiState)}. public final class PictureInPictureUiState implements Parcelable { private boolean mIsStashed; /** {@hide}
PictureInPictureUiState::PictureInPictureUiState
java
Reginer/aosp-android-jar
android-33/src/android/app/PictureInPictureUiState.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/android/app/PictureInPictureUiState.java
MIT
public boolean isStashed() { return mIsStashed; }
Returns whether Picture-in-Picture is stashed or not. A stashed PiP means it is only partially visible to the user, with some parts of it being off-screen. This is usually an UI state that is triggered by the user, such as flinging the PiP to the edge or letting go of PiP while dragging partially off-screen. Developers can use this in conjunction with {@link Activity#onPictureInPictureUiStateChanged(PictureInPictureUiState)} to get a signal when the PiP stash state has changed. For example, if the state changed from {@code false} to {@code true}, developers can choose to temporarily pause video playback if PiP is of video content. Vice versa, if changing from {@code true} to {@code false} and video content is paused, developers can resumevideo playback. @see <a href="http://developer.android.com/about/versions/12/features/pip-improvements"> Picture in Picture (PiP) improvements</a>
PictureInPictureUiState::isStashed
java
Reginer/aosp-android-jar
android-33/src/android/app/PictureInPictureUiState.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/android/app/PictureInPictureUiState.java
MIT
public IkeKeyIdIdentification(@NonNull byte[] keyId) { super(ID_TYPE_KEY_ID); this.keyId = keyId; }
Construct an instance of {@link IkeKeyIdIdentification} with a Key ID. @param keyId the Key ID in bytes.
IkeKeyIdIdentification::IkeKeyIdIdentification
java
Reginer/aosp-android-jar
android-35/src/android/net/ipsec/ike/IkeKeyIdIdentification.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-35/src/android/net/ipsec/ike/IkeKeyIdIdentification.java
MIT
public synchronized void schedule(long when) { mAlarmManager.setExact( AlarmManager.ELAPSED_REALTIME_WAKEUP, when, mCmdName, this, mHandler); mScheduled = true; }
Schedule the message to be delivered at the time in milliseconds of the {@link android.os.SystemClock#elapsedRealtime SystemClock.elapsedRealtime()} clock and wakeup the device when it goes off. If schedule is called multiple times without the message being dispatched then the alarm is rescheduled to the new time.
WakeupMessage::schedule
java
Reginer/aosp-android-jar
android-31/src/com/android/internal/util/WakeupMessage.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-31/src/com/android/internal/util/WakeupMessage.java
MIT
public synchronized void cancel() { if (mScheduled) { mAlarmManager.cancel(this); mScheduled = false; } }
Cancel all pending messages. This includes alarms that may have been fired, but have not been run on the handler yet.
WakeupMessage::cancel
java
Reginer/aosp-android-jar
android-31/src/com/android/internal/util/WakeupMessage.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-31/src/com/android/internal/util/WakeupMessage.java
MIT
public void addProperty(@NonNull Property property) { this.mProperties = CollectionUtils.add(this.mProperties, property.getName(), property); }
Add a property to the component
private::addProperty
java
Reginer/aosp-android-jar
android-34/src/com/android/server/pm/pkg/component/ParsedComponentImpl.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/com/android/server/pm/pkg/component/ParsedComponentImpl.java
MIT
public InvalidParameterException() { super(); }
Constructs an InvalidParameterException with no detail message. A detail message is a String that describes this particular exception.
InvalidParameterException::InvalidParameterException
java
Reginer/aosp-android-jar
android-35/src/java/security/InvalidParameterException.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-35/src/java/security/InvalidParameterException.java
MIT
public InvalidParameterException(String msg) { super(msg); }
Constructs an InvalidParameterException with the specified detail message. A detail message is a String that describes this particular exception. @param msg the detail message.
InvalidParameterException::InvalidParameterException
java
Reginer/aosp-android-jar
android-35/src/java/security/InvalidParameterException.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-35/src/java/security/InvalidParameterException.java
MIT
ReduceOp(StreamShape shape) { inputShape = shape; }
Create a {@code ReduceOp} of the specified stream shape which uses the specified {@code Supplier} to create accumulating sinks. @param shape The shape of the stream pipeline
ReduceOp::ReduceOp
java
Reginer/aosp-android-jar
android-31/src/java/util/stream/ReduceOps.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-31/src/java/util/stream/ReduceOps.java
MIT
public void writePid(HealthStatsWriter pidWriter, BatteryStats.Uid.Pid pid) { if (pid == null) { return; } // MEASUREMENT_WAKE_NESTING_COUNT pidWriter.addMeasurement(PidHealthStats.MEASUREMENT_WAKE_NESTING_COUNT, pid.mWakeNesting); // MEASUREMENT_WAKE_SUM_MS pidWriter.addMeasurement(PidHealthStats.MEASUREMENT_WAKE_SUM_MS, pid.mWakeSumMs); // MEASUREMENT_WAKE_START_MS pidWriter.addMeasurement(PidHealthStats.MEASUREMENT_WAKE_SUM_MS, pid.mWakeStartMs); }
Writes the contents of a BatteryStats.Uid.Pid into a HealthStatsWriter.
HealthStatsBatteryStatsWriter::writePid
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
public void writeProc(HealthStatsWriter procWriter, BatteryStats.Uid.Proc proc) { // MEASUREMENT_USER_TIME_MS procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_USER_TIME_MS, proc.getUserTime(STATS_SINCE_CHARGED)); // MEASUREMENT_SYSTEM_TIME_MS procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_SYSTEM_TIME_MS, proc.getSystemTime(STATS_SINCE_CHARGED)); // MEASUREMENT_STARTS_COUNT procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_STARTS_COUNT, proc.getStarts(STATS_SINCE_CHARGED)); // MEASUREMENT_CRASHES_COUNT procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_CRASHES_COUNT, proc.getNumCrashes(STATS_SINCE_CHARGED)); // MEASUREMENT_ANR_COUNT procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_ANR_COUNT, proc.getNumAnrs(STATS_SINCE_CHARGED)); // MEASUREMENT_FOREGROUND_MS procWriter.addMeasurement(ProcessHealthStats.MEASUREMENT_FOREGROUND_MS, proc.getForegroundTime(STATS_SINCE_CHARGED)); }
Writes the contents of a BatteryStats.Uid.Proc into a HealthStatsWriter.
HealthStatsBatteryStatsWriter::writeProc
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
public void writePkg(HealthStatsWriter pkgWriter, BatteryStats.Uid.Pkg pkg) { // STATS_SERVICES for (final Map.Entry<String,? extends BatteryStats.Uid.Pkg.Serv> entry: pkg.getServiceStats().entrySet()) { final HealthStatsWriter writer = new HealthStatsWriter(ServiceHealthStats.CONSTANTS); writeServ(writer, entry.getValue()); pkgWriter.addStats(PackageHealthStats.STATS_SERVICES, entry.getKey(), writer); } // MEASUREMENTS_WAKEUP_ALARMS_COUNT for (final Map.Entry<String,? extends BatteryStats.Counter> entry: pkg.getWakeupAlarmStats().entrySet()) { final BatteryStats.Counter counter = entry.getValue(); if (counter != null) { pkgWriter.addMeasurements(PackageHealthStats.MEASUREMENTS_WAKEUP_ALARMS_COUNT, entry.getKey(), counter.getCountLocked(STATS_SINCE_CHARGED)); } } }
Writes the contents of a BatteryStats.Uid.Pkg into a HealthStatsWriter.
HealthStatsBatteryStatsWriter::writePkg
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
public void writeServ(HealthStatsWriter servWriter, BatteryStats.Uid.Pkg.Serv serv) { // MEASUREMENT_START_SERVICE_COUNT servWriter.addMeasurement(ServiceHealthStats.MEASUREMENT_START_SERVICE_COUNT, serv.getStarts(STATS_SINCE_CHARGED)); // MEASUREMENT_LAUNCH_COUNT servWriter.addMeasurement(ServiceHealthStats.MEASUREMENT_LAUNCH_COUNT, serv.getLaunches(STATS_SINCE_CHARGED)); }
Writes the contents of a BatteryStats.Uid.Pkg.Serv into a HealthStatsWriter.
HealthStatsBatteryStatsWriter::writeServ
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
private void addTimer(HealthStatsWriter writer, int key, BatteryStats.Timer timer) { if (timer != null) { writer.addTimer(key, timer.getCountLocked(STATS_SINCE_CHARGED), timer.getTotalTimeLocked(mNowRealtimeMs*1000, STATS_SINCE_CHARGED) / 1000); } }
Adds a BatteryStats.Timer into a HealthStatsWriter. Safe to pass a null timer.
HealthStatsBatteryStatsWriter::addTimer
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
private void addTimers(HealthStatsWriter writer, int key, String name, BatteryStats.Timer timer) { if (timer != null) { writer.addTimers(key, name, new TimerStat(timer.getCountLocked(STATS_SINCE_CHARGED), timer.getTotalTimeLocked(mNowRealtimeMs*1000, STATS_SINCE_CHARGED) / 1000)); } }
Adds a named BatteryStats.Timer into a HealthStatsWriter. Safe to pass a null timer.
HealthStatsBatteryStatsWriter::addTimers
java
Reginer/aosp-android-jar
android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/server/am/HealthStatsBatteryStatsWriter.java
MIT
public DOM2DTM(DTMManager mgr, DOMSource domSource, int dtmIdentity, DTMWSFilter whiteSpaceFilter, XMLStringFactory xstringfactory, boolean doIndexing) { super(mgr, domSource, dtmIdentity, whiteSpaceFilter, xstringfactory, doIndexing); // Initialize DOM navigation m_pos=m_root = domSource.getNode(); // Initialize DTM navigation m_last_parent=m_last_kid=NULL; m_last_kid=addNode(m_root, m_last_parent,m_last_kid, NULL); // Apparently the domSource root may not actually be the // Document node. If it's an Element node, we need to immediately // add its attributes. Adapted from nextNode(). // %REVIEW% Move this logic into addNode and recurse? Cleaner! // // (If it's an EntityReference node, we're probably in // seriously bad trouble. For now // I'm just hoping nobody is ever quite that foolish... %REVIEW%) // // %ISSUE% What about inherited namespaces in this case? // Do we need to special-case initialize them into the DTM model? if(ELEMENT_NODE == m_root.getNodeType()) { NamedNodeMap attrs=m_root.getAttributes(); int attrsize=(attrs==null) ? 0 : attrs.getLength(); if(attrsize>0) { int attrIndex=NULL; // start with no previous sib for(int i=0;i<attrsize;++i) { // No need to force nodetype in this case; // addNode() will take care of switching it from // Attr to Namespace if necessary. attrIndex=addNode(attrs.item(i),0,attrIndex,NULL); m_firstch.setElementAt(DTM.NULL,attrIndex); } // Terminate list of attrs, and make sure they aren't // considered children of the element m_nextsib.setElementAt(DTM.NULL,attrIndex); // IMPORTANT: This does NOT change m_last_parent or m_last_kid! } // if attrs exist } //if(ELEMENT_NODE) // Initialize DTM-completed status m_nodesAreProcessed = false; }
Construct a DOM2DTM object from a DOM node. @param mgr The DTMManager who owns this DTM. @param domSource the DOM source that this DTM will wrap. @param dtmIdentity The DTM identity ID for this DTM. @param whiteSpaceFilter The white space filter for this DTM, which may be null. @param xstringfactory XMLString factory for creating character content. @param doIndexing true if the caller considers it worth it to use indexing schemes.
DOM2DTM::DOM2DTM
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected int addNode(Node node, int parentIndex, int previousSibling, int forceNodeType) { int nodeIndex = m_nodes.size(); // Have we overflowed a DTM Identity's addressing range? if(m_dtmIdent.size() == (nodeIndex>>>DTMManager.IDENT_DTM_NODE_BITS)) { try { if(m_mgr==null) throw new ClassCastException(); // Handle as Extended Addressing DTMManagerDefault mgrD=(DTMManagerDefault)m_mgr; int id=mgrD.getFirstFreeDTMID(); mgrD.addDTM(this,id,nodeIndex); m_dtmIdent.addElement(id<<DTMManager.IDENT_DTM_NODE_BITS); } catch(ClassCastException e) { // %REVIEW% Wrong error message, but I've been told we're trying // not to add messages right not for I18N reasons. // %REVIEW% Should this be a Fatal Error? error(XMLMessages.createXMLMessage(XMLErrorResources.ER_NO_DTMIDS_AVAIL, null));//"No more DTM IDs are available"; } } m_size++; // ensureSize(nodeIndex); int type; if(NULL==forceNodeType) type = node.getNodeType(); else type=forceNodeType; // %REVIEW% The Namespace Spec currently says that Namespaces are // processed in a non-namespace-aware manner, by matching the // QName, even though there is in fact a namespace assigned to // these nodes in the DOM. If and when that changes, we will have // to consider whether we check the namespace-for-namespaces // rather than the node name. // // %TBD% Note that the DOM does not necessarily explicitly declare // all the namespaces it uses. DOM Level 3 will introduce a // namespace-normalization operation which reconciles that, and we // can request that users invoke it or otherwise ensure that the // tree is namespace-well-formed before passing the DOM to Xalan. // But if they don't, what should we do about it? We probably // don't want to alter the source DOM (and may not be able to do // so if it's read-only). The best available answer might be to // synthesize additional DTM Namespace Nodes that don't correspond // to DOM Attr Nodes. if (Node.ATTRIBUTE_NODE == type) { String name = node.getNodeName(); if (name.startsWith("xmlns:") || name.equals("xmlns")) { type = DTM.NAMESPACE_NODE; } } m_nodes.addElement(node); m_firstch.setElementAt(NOTPROCESSED,nodeIndex); m_nextsib.setElementAt(NOTPROCESSED,nodeIndex); m_prevsib.setElementAt(previousSibling,nodeIndex); m_parent.setElementAt(parentIndex,nodeIndex); if(DTM.NULL != parentIndex && type != DTM.ATTRIBUTE_NODE && type != DTM.NAMESPACE_NODE) { // If the DTM parent had no children, this becomes its first child. if(NOTPROCESSED == m_firstch.elementAt(parentIndex)) m_firstch.setElementAt(nodeIndex,parentIndex); } String nsURI = node.getNamespaceURI(); // Deal with the difference between Namespace spec and XSLT // definitions of local name. (The former says PIs don't have // localnames; the latter says they do.) String localName = (type == Node.PROCESSING_INSTRUCTION_NODE) ? node.getNodeName() : node.getLocalName(); // Hack to make DOM1 sort of work... if(((type == Node.ELEMENT_NODE) || (type == Node.ATTRIBUTE_NODE)) && null == localName) localName = node.getNodeName(); // -sb ExpandedNameTable exnt = m_expandedNameTable; // %TBD% Nodes created with the old non-namespace-aware DOM // calls createElement() and createAttribute() will never have a // localname. That will cause their expandedNameID to be just the // nodeType... which will keep them from being matched // successfully by name. Since the DOM makes no promise that // those will participate in namespace processing, this is // officially accepted as Not Our Fault. But it might be nice to // issue a diagnostic message! if(node.getLocalName()==null && (type==Node.ELEMENT_NODE || type==Node.ATTRIBUTE_NODE)) { // warning("DOM 'level 1' node "+node.getNodeName()+" won't be mapped properly in DOM2DTM."); } int expandedNameID = (null != localName) ? exnt.getExpandedTypeID(nsURI, localName, type) : exnt.getExpandedTypeID(type); m_exptype.setElementAt(expandedNameID,nodeIndex); indexNode(expandedNameID, nodeIndex); if (DTM.NULL != previousSibling) m_nextsib.setElementAt(nodeIndex,previousSibling); // This should be done after m_exptype has been set, and probably should // always be the last thing we do if (type == DTM.NAMESPACE_NODE) declareNamespaceInContext(parentIndex,nodeIndex); return nodeIndex; }
Construct the node map from the node. @param node The node that is to be added to the DTM. @param parentIndex The current parent index. @param previousSibling The previous sibling index. @param forceNodeType If not DTM.NULL, overrides the DOM node type. Used to force nodes to Text rather than CDATASection when their coalesced value includes ordinary Text nodes (current DTM behavior). @return The index identity of the node that was added.
DOM2DTM::addNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public int getNumberOfNodes() { return m_nodes.size(); }
Get the number of nodes that have been added.
DOM2DTM::getNumberOfNodes
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected boolean nextNode() { // Non-recursive one-fetch-at-a-time depth-first traversal with // attribute/namespace nodes and white-space stripping. // Navigating the DOM is simple, navigating the DTM is simple; // keeping track of both at once is a trifle baroque but at least // we've avoided most of the special cases. if (m_nodesAreProcessed) return false; // %REVIEW% Is this local copy Really Useful from a performance // point of view? Or is this a false microoptimization? Node pos=m_pos; Node next=null; int nexttype=NULL; // Navigate DOM tree do { // Look down to first child. if (pos.hasChildNodes()) { next = pos.getFirstChild(); // %REVIEW% There's probably a more elegant way to skip // the doctype. (Just let it go and Suppress it? if(next!=null && DOCUMENT_TYPE_NODE==next.getNodeType()) next=next.getNextSibling(); // Push DTM context -- except for children of Entity References, // which have no DTM equivalent and cause no DTM navigation. if(ENTITY_REFERENCE_NODE!=pos.getNodeType()) { m_last_parent=m_last_kid; m_last_kid=NULL; // Whitespace-handler context stacking if(null != m_wsfilter) { short wsv = m_wsfilter.getShouldStripSpace(makeNodeHandle(m_last_parent),this); boolean shouldStrip = (DTMWSFilter.INHERIT == wsv) ? getShouldStripWhitespace() : (DTMWSFilter.STRIP == wsv); pushShouldStripWhitespace(shouldStrip); } // if(m_wsfilter) } } // If that fails, look up and right (but not past root!) else { if(m_last_kid!=NULL) { // Last node posted at this level had no more children // If it has _no_ children, we need to record that. if(m_firstch.elementAt(m_last_kid)==NOTPROCESSED) m_firstch.setElementAt(NULL,m_last_kid); } while(m_last_parent != NULL) { // %REVIEW% There's probably a more elegant way to // skip the doctype. (Just let it go and Suppress it? next = pos.getNextSibling(); if(next!=null && DOCUMENT_TYPE_NODE==next.getNodeType()) next=next.getNextSibling(); if(next!=null) break; // Found it! // No next-sibling found. Pop the DOM. pos=pos.getParentNode(); if(pos==null) { // %TBD% Should never arise, but I want to be sure of that... if(JJK_DEBUG) { System.out.println("***** DOM2DTM Pop Control Flow problem"); for(;;); // Freeze right here! } } // The only parents in the DTM are Elements. However, // the DOM could contain EntityReferences. If we // encounter one, pop it _without_ popping DTM. if(pos!=null && ENTITY_REFERENCE_NODE == pos.getNodeType()) { // Nothing needs doing if(JJK_DEBUG) System.out.println("***** DOM2DTM popping EntRef"); } else { popShouldStripWhitespace(); // Fix and pop DTM if(m_last_kid==NULL) m_firstch.setElementAt(NULL,m_last_parent); // Popping from an element else m_nextsib.setElementAt(NULL,m_last_kid); // Popping from anything else m_last_parent=m_parent.elementAt(m_last_kid=m_last_parent); } } if(m_last_parent==NULL) next=null; } if(next!=null) nexttype=next.getNodeType(); // If it's an entity ref, advance past it. // // %REVIEW% Should we let this out the door and just suppress it? // More work, but simpler code, more likely to be correct, and // it doesn't happen very often. We'd get rid of the loop too. if (ENTITY_REFERENCE_NODE == nexttype) pos=next; } while (ENTITY_REFERENCE_NODE == nexttype); // Did we run out of the tree? if(next==null) { m_nextsib.setElementAt(NULL,0); m_nodesAreProcessed = true; m_pos=null; if(JJK_DEBUG) { System.out.println("***** DOM2DTM Crosscheck:"); for(int i=0;i<m_nodes.size();++i) System.out.println(i+":\t"+m_firstch.elementAt(i)+"\t"+m_nextsib.elementAt(i)); } return false; } // Text needs some special handling: // // DTM may skip whitespace. This is handled by the suppressNode flag, which // when true will keep the DTM node from being created. // // DTM only directly records the first DOM node of any logically-contiguous // sequence. The lastTextNode value will be set to the last node in the // contiguous sequence, and -- AFTER the DTM addNode -- can be used to // advance next over this whole block. Should be simpler than special-casing // the above loop for "Was the logically-preceeding sibling a text node". // // Finally, a DTM node should be considered a CDATASection only if all the // contiguous text it covers is CDATASections. The first Text should // force DTM to Text. boolean suppressNode=false; Node lastTextNode=null; nexttype=next.getNodeType(); // nexttype=pos.getNodeType(); if(TEXT_NODE == nexttype || CDATA_SECTION_NODE == nexttype) { // If filtering, initially assume we're going to suppress the node suppressNode=((null != m_wsfilter) && getShouldStripWhitespace()); // Scan logically contiguous text (siblings, plus "flattening" // of entity reference boundaries). Node n=next; while(n!=null) { lastTextNode=n; // Any Text node means DTM considers it all Text if(TEXT_NODE == n.getNodeType()) nexttype=TEXT_NODE; // Any non-whitespace in this sequence blocks whitespace // suppression suppressNode &= XMLCharacterRecognizer.isWhiteSpace(n.getNodeValue()); n=logicalNextDOMTextNode(n); } } // Special handling for PIs: Some DOMs represent the XML // Declaration as a PI. This is officially incorrect, per the DOM // spec, but is considered a "wrong but tolerable" temporary // workaround pending proper handling of these fields in DOM Level // 3. We want to recognize and reject that case. else if(PROCESSING_INSTRUCTION_NODE==nexttype) { suppressNode = (pos.getNodeName().toLowerCase().equals("xml")); } if(!suppressNode) { // Inserting next. NOTE that we force the node type; for // coalesced Text, this records CDATASections adjacent to // ordinary Text as Text. int nextindex=addNode(next,m_last_parent,m_last_kid, nexttype); m_last_kid=nextindex; if(ELEMENT_NODE == nexttype) { int attrIndex=NULL; // start with no previous sib // Process attributes _now_, rather than waiting. // Simpler control flow, makes NS cache available immediately. NamedNodeMap attrs=next.getAttributes(); int attrsize=(attrs==null) ? 0 : attrs.getLength(); if(attrsize>0) { for(int i=0;i<attrsize;++i) { // No need to force nodetype in this case; // addNode() will take care of switching it from // Attr to Namespace if necessary. attrIndex=addNode(attrs.item(i), nextindex,attrIndex,NULL); m_firstch.setElementAt(DTM.NULL,attrIndex); // If the xml: prefix is explicitly declared // we don't need to synthesize one. // // NOTE that XML Namespaces were not originally // defined as being namespace-aware (grrr), and // while the W3C is planning to fix this it's // safer for now to test the QName and trust the // parsers to prevent anyone from redefining the // reserved xmlns: prefix if(!m_processedFirstElement && "xmlns:xml".equals(attrs.item(i).getNodeName())) m_processedFirstElement=true; } // Terminate list of attrs, and make sure they aren't // considered children of the element } // if attrs exist if(!m_processedFirstElement) { // The DOM might not have an explicit declaration for the // implicit "xml:" prefix, but the XPath data model // requires that this appear as a Namespace Node so we // have to synthesize one. You can think of this as // being a default attribute defined by the XML // Namespaces spec rather than by the DTD. attrIndex=addNode(new DOM2DTMdefaultNamespaceDeclarationNode( (Element)next,"xml",NAMESPACE_DECL_NS, makeNodeHandle(((attrIndex==NULL)?nextindex:attrIndex)+1) ), nextindex,attrIndex,NULL); m_firstch.setElementAt(DTM.NULL,attrIndex); m_processedFirstElement=true; } if(attrIndex!=NULL) m_nextsib.setElementAt(DTM.NULL,attrIndex); } //if(ELEMENT_NODE) } // (if !suppressNode) // Text postprocessing: Act on values stored above if(TEXT_NODE == nexttype || CDATA_SECTION_NODE == nexttype) { // %TBD% If nexttype was forced to TEXT, patch the DTM node next=lastTextNode; // Advance the DOM cursor over contiguous text } // Remember where we left off. m_pos=next; return true; }
This method iterates to the next node that will be added to the table. Each call to this method adds a new node to the table, unless the end is reached, in which case it returns null. @return The true if a next node is found or false if there are no more nodes.
DOM2DTM::nextNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public Node getNode(int nodeHandle) { int identity = makeNodeIdentity(nodeHandle); return (Node) m_nodes.elementAt(identity); }
Return an DOM node for the given node. @param nodeHandle The node ID. @return A node representation of the DTM node.
DOM2DTM::getNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected Node lookupNode(int nodeIdentity) { return (Node) m_nodes.elementAt(nodeIdentity); }
Get a Node from an identity index. NEEDSDOC @param nodeIdentity NEEDSDOC ($objectName$) @return
DOM2DTM::lookupNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected int getNextNodeIdentity(int identity) { identity += 1; if (identity >= m_nodes.size()) { if (!nextNode()) identity = DTM.NULL; } return identity; }
Get the next node identity value in the list, and call the iterator if it hasn't been added yet. @param identity The node identity (index). @return identity+1, or DTM.NULL.
DOM2DTM::getNextNodeIdentity
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
private int getHandleFromNode(Node node) { if (null != node) { int len = m_nodes.size(); boolean isMore; int i = 0; do { for (; i < len; i++) { if (m_nodes.elementAt(i) == node) return makeNodeHandle(i); } isMore = nextNode(); len = m_nodes.size(); } while(isMore || i < len); } return DTM.NULL; }
Get the handle from a Node. <p>%OPT% This will be pretty slow.</p> <p>%OPT% An XPath-like search (walk up DOM to root, tracking path; walk down DTM reconstructing path) might be considerably faster on later nodes in large documents. That might also imply improving this call to handle nodes which would be in this DTM but have not yet been built, which might or might not be a Good Thing.</p> %REVIEW% This relies on being able to test node-identity via object-identity. DTM2DOM proxying is a great example of a case where that doesn't work. DOM Level 3 will provide the isSameNode() method to fix that, but until then this is going to be flaky. @param node A node, which may be null. @return The node handle or <code>DTM.NULL</code>.
DOM2DTM::getHandleFromNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public int getHandleOfNode(Node node) { if (null != node) { // Is Node actually within the same document? If not, don't search! // This would be easier if m_root was always the Document node, but // we decided to allow wrapping a DTM around a subtree. if((m_root==node) || (m_root.getNodeType()==DOCUMENT_NODE && m_root==node.getOwnerDocument()) || (m_root.getNodeType()!=DOCUMENT_NODE && m_root.getOwnerDocument()==node.getOwnerDocument()) ) { // If node _is_ in m_root's tree, find its handle // // %OPT% This check may be improved significantly when DOM // Level 3 nodeKey and relative-order tests become // available! for(Node cursor=node; cursor!=null; cursor= (cursor.getNodeType()!=ATTRIBUTE_NODE) ? cursor.getParentNode() : ((org.w3c.dom.Attr)cursor).getOwnerElement()) { if(cursor==m_root) // We know this node; find its handle. return getHandleFromNode(node); } // for ancestors of node } // if node and m_root in same Document } // if node!=null return DTM.NULL; }
Get the handle from a Node. This is a more robust version of getHandleFromNode, intended to be usable by the public. <p>%OPT% This will be pretty slow.</p> %REVIEW% This relies on being able to test node-identity via object-identity. DTM2DOM proxying is a great example of a case where that doesn't work. DOM Level 3 will provide the isSameNode() method to fix that, but until then this is going to be flaky. @param node A node, which may be null. * @return The node handle or <code>DTM.NULL</code>.
DOM2DTM::getHandleOfNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public int getAttributeNode(int nodeHandle, String namespaceURI, String name) { // %OPT% This is probably slower than it needs to be. if (null == namespaceURI) namespaceURI = ""; int type = getNodeType(nodeHandle); if (DTM.ELEMENT_NODE == type) { // Assume that attributes immediately follow the element. int identity = makeNodeIdentity(nodeHandle); while (DTM.NULL != (identity = getNextNodeIdentity(identity))) { // Assume this can not be null. type = _type(identity); // %REVIEW% // Should namespace nodes be retrievable DOM-style as attrs? // If not we need a separate function... which may be desirable // architecturally, but which is ugly from a code point of view. // (If we REALLY insist on it, this code should become a subroutine // of both -- retrieve the node, then test if the type matches // what you're looking for.) if (type == DTM.ATTRIBUTE_NODE || type==DTM.NAMESPACE_NODE) { Node node = lookupNode(identity); String nodeuri = node.getNamespaceURI(); if (null == nodeuri) nodeuri = ""; String nodelocalname = node.getLocalName(); if (nodeuri.equals(namespaceURI) && name.equals(nodelocalname)) return makeNodeHandle(identity); } else // if (DTM.NAMESPACE_NODE != type) { break; } } } return DTM.NULL; }
Retrieves an attribute node by by qualified name and namespace URI. @param nodeHandle int Handle of the node upon which to look up this attribute.. @param namespaceURI The namespace URI of the attribute to retrieve, or null. @param name The local name of the attribute to retrieve. @return The attribute node handle with the specified name ( <code>nodeName</code>) or <code>DTM.NULL</code> if there is no such attribute.
DOM2DTM::getAttributeNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public XMLString getStringValue(int nodeHandle) { int type = getNodeType(nodeHandle); Node node = getNode(nodeHandle); // %TBD% If an element only has one text node, we should just use it // directly. if(DTM.ELEMENT_NODE == type || DTM.DOCUMENT_NODE == type || DTM.DOCUMENT_FRAGMENT_NODE == type) { FastStringBuffer buf = StringBufferPool.get(); String s; try { getNodeData(node, buf); s = (buf.length() > 0) ? buf.toString() : ""; } finally { StringBufferPool.free(buf); } return m_xstrf.newstr( s ); } else if(TEXT_NODE == type || CDATA_SECTION_NODE == type) { // If this is a DTM text node, it may be made of multiple DOM text // nodes -- including navigating into Entity References. DOM2DTM // records the first node in the sequence and requires that we // pick up the others when we retrieve the DTM node's value. // // %REVIEW% DOM Level 3 is expected to add a "whole text" // retrieval method which performs this function for us. FastStringBuffer buf = StringBufferPool.get(); while(node!=null) { buf.append(node.getNodeValue()); node=logicalNextDOMTextNode(node); } String s=(buf.length() > 0) ? buf.toString() : ""; StringBufferPool.free(buf); return m_xstrf.newstr( s ); } else return m_xstrf.newstr( node.getNodeValue() ); }
Get the string-value of a node as a String object (see http://www.w3.org/TR/xpath#data-model for the definition of a node's string-value). @param nodeHandle The node ID. @return A string object that represents the string-value of the given node.
DOM2DTM::getStringValue
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public boolean isWhitespace(int nodeHandle) { int type = getNodeType(nodeHandle); Node node = getNode(nodeHandle); if(TEXT_NODE == type || CDATA_SECTION_NODE == type) { // If this is a DTM text node, it may be made of multiple DOM text // nodes -- including navigating into Entity References. DOM2DTM // records the first node in the sequence and requires that we // pick up the others when we retrieve the DTM node's value. // // %REVIEW% DOM Level 3 is expected to add a "whole text" // retrieval method which performs this function for us. FastStringBuffer buf = StringBufferPool.get(); while(node!=null) { buf.append(node.getNodeValue()); node=logicalNextDOMTextNode(node); } boolean b = buf.isWhitespace(0, buf.length()); StringBufferPool.free(buf); return b; } return false; }
Determine if the string-value of a node is whitespace @param nodeHandle The node Handle. @return Return true if the given node is whitespace.
DOM2DTM::isWhitespace
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected static void getNodeData(Node node, FastStringBuffer buf) { switch (node.getNodeType()) { case Node.DOCUMENT_FRAGMENT_NODE : case Node.DOCUMENT_NODE : case Node.ELEMENT_NODE : { for (Node child = node.getFirstChild(); null != child; child = child.getNextSibling()) { getNodeData(child, buf); } } break; case Node.TEXT_NODE : case Node.CDATA_SECTION_NODE : case Node.ATTRIBUTE_NODE : // Never a child but might be our starting node buf.append(node.getNodeValue()); break; case Node.PROCESSING_INSTRUCTION_NODE : // warning(XPATHErrorResources.WG_PARSING_AND_PREPARING); break; default : // ignore break; } }
Retrieve the text content of a DOM subtree, appending it into a user-supplied FastStringBuffer object. Note that attributes are not considered part of the content of an element. <p> There are open questions regarding whitespace stripping. Currently we make no special effort in that regard, since the standard DOM doesn't yet provide DTD-based information to distinguish whitespace-in-element-context from genuine #PCDATA. Note that we should probably also consider xml:space if/when we address this. DOM Level 3 may solve the problem for us. <p> %REVIEW% Actually, since this method operates on the DOM side of the fence rather than the DTM side, it SHOULDN'T do any special handling. The DOM does what the DOM does; if you want DTM-level abstractions, use DTM-level methods. @param node Node whose subtree is to be walked, gathering the contents of all Text or CDATASection nodes. @param buf FastStringBuffer into which the contents of the text nodes are to be concatenated.
DOM2DTM::getNodeData
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getNodeName(int nodeHandle) { Node node = getNode(nodeHandle); // Assume non-null. return node.getNodeName(); }
Given a node handle, return its DOM-style node name. This will include names such as #text or #document. @param nodeHandle the id of the node. @return String Name of this node, which may be an empty string. %REVIEW% Document when empty string is possible... %REVIEW-COMMENT% It should never be empty, should it?
DOM2DTM::getNodeName
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getNodeNameX(int nodeHandle) { String name; short type = getNodeType(nodeHandle); switch (type) { case DTM.NAMESPACE_NODE : { Node node = getNode(nodeHandle); // assume not null. name = node.getNodeName(); if(name.startsWith("xmlns:")) { name = QName.getLocalPart(name); } else if(name.equals("xmlns")) { name = ""; } } break; case DTM.ATTRIBUTE_NODE : case DTM.ELEMENT_NODE : case DTM.ENTITY_REFERENCE_NODE : case DTM.PROCESSING_INSTRUCTION_NODE : { Node node = getNode(nodeHandle); // assume not null. name = node.getNodeName(); } break; default : name = ""; } return name; }
Given a node handle, return the XPath node name. This should be the name as described by the XPath data model, NOT the DOM-style name. @param nodeHandle the id of the node. @return String Name of this node, which may be an empty string.
DOM2DTM::getNodeNameX
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getLocalName(int nodeHandle) { if(JJK_NEWCODE) { int id=makeNodeIdentity(nodeHandle); if(NULL==id) return null; Node newnode=(Node)m_nodes.elementAt(id); String newname=newnode.getLocalName(); if (null == newname) { // XSLT treats PIs, and possibly other things, as having QNames. String qname = newnode.getNodeName(); if('#'==qname.charAt(0)) { // Match old default for this function // This conversion may or may not be necessary newname=""; } else { int index = qname.indexOf(':'); newname = (index < 0) ? qname : qname.substring(index + 1); } } return newname; } else { String name; short type = getNodeType(nodeHandle); switch (type) { case DTM.ATTRIBUTE_NODE : case DTM.ELEMENT_NODE : case DTM.ENTITY_REFERENCE_NODE : case DTM.NAMESPACE_NODE : case DTM.PROCESSING_INSTRUCTION_NODE : { Node node = getNode(nodeHandle); // assume not null. name = node.getLocalName(); if (null == name) { String qname = node.getNodeName(); int index = qname.indexOf(':'); name = (index < 0) ? qname : qname.substring(index + 1); } } break; default : name = ""; } return name; } }
Given a node handle, return its XPath-style localname. (As defined in Namespaces, this is the portion of the name after any colon character). @param nodeHandle the id of the node. @return String Local name of this node.
DOM2DTM::getLocalName
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getPrefix(int nodeHandle) { String prefix; short type = getNodeType(nodeHandle); switch (type) { case DTM.NAMESPACE_NODE : { Node node = getNode(nodeHandle); // assume not null. String qname = node.getNodeName(); int index = qname.indexOf(':'); prefix = (index < 0) ? "" : qname.substring(index + 1); } break; case DTM.ATTRIBUTE_NODE : case DTM.ELEMENT_NODE : { Node node = getNode(nodeHandle); // assume not null. String qname = node.getNodeName(); int index = qname.indexOf(':'); prefix = (index < 0) ? "" : qname.substring(0, index); } break; default : prefix = ""; } return prefix; }
Given a namespace handle, return the prefix that the namespace decl is mapping. Given a node handle, return the prefix used to map to the namespace. <p> %REVIEW% Are you sure you want "" for no prefix? </p> <p> %REVIEW-COMMENT% I think so... not totally sure. -sb </p> @param nodeHandle the id of the node. @return String prefix of this node's name, or "" if no explicit namespace prefix was given.
DOM2DTM::getPrefix
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getNamespaceURI(int nodeHandle) { if(JJK_NEWCODE) { int id=makeNodeIdentity(nodeHandle); if(id==NULL) return null; Node node=(Node)m_nodes.elementAt(id); return node.getNamespaceURI(); } else { String nsuri; short type = getNodeType(nodeHandle); switch (type) { case DTM.ATTRIBUTE_NODE : case DTM.ELEMENT_NODE : case DTM.ENTITY_REFERENCE_NODE : case DTM.NAMESPACE_NODE : case DTM.PROCESSING_INSTRUCTION_NODE : { Node node = getNode(nodeHandle); // assume not null. nsuri = node.getNamespaceURI(); // %TBD% Handle DOM1? } break; default : nsuri = null; } return nsuri; } }
Given a node handle, return its DOM-style namespace URI (As defined in Namespaces, this is the declared URI which this node's prefix -- or default in lieu thereof -- was mapped to.) <p>%REVIEW% Null or ""? -sb</p> @param nodeHandle the id of the node. @return String URI value of this node's namespace, or null if no namespace was resolved.
DOM2DTM::getNamespaceURI
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
private Node logicalNextDOMTextNode(Node n) { Node p=n.getNextSibling(); if(p==null) { // Walk out of any EntityReferenceNodes that ended with text for(n=n.getParentNode(); n!=null && ENTITY_REFERENCE_NODE == n.getNodeType(); n=n.getParentNode()) { p=n.getNextSibling(); if(p!=null) break; } } n=p; while(n!=null && ENTITY_REFERENCE_NODE == n.getNodeType()) { // Walk into any EntityReferenceNodes that start with text if(n.hasChildNodes()) n=n.getFirstChild(); else n=n.getNextSibling(); } if(n!=null) { // Found a logical next sibling. Is it text? int ntype=n.getNodeType(); if(TEXT_NODE != ntype && CDATA_SECTION_NODE != ntype) n=null; } return n; }
Utility function: Given a DOM Text node, determine whether it is logically followed by another Text or CDATASection node. This may involve traversing into Entity References. %REVIEW% DOM Level 3 is expected to add functionality which may allow us to retire this.
DOM2DTM::logicalNextDOMTextNode
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getNodeValue(int nodeHandle) { // The _type(nodeHandle) call was taking the lion's share of our // time, and was wrong anyway since it wasn't coverting handle to // identity. Inlined it. int type = _exptype(makeNodeIdentity(nodeHandle)); type=(NULL != type) ? getNodeType(nodeHandle) : NULL; if(TEXT_NODE!=type && CDATA_SECTION_NODE!=type) return getNode(nodeHandle).getNodeValue(); // If this is a DTM text node, it may be made of multiple DOM text // nodes -- including navigating into Entity References. DOM2DTM // records the first node in the sequence and requires that we // pick up the others when we retrieve the DTM node's value. // // %REVIEW% DOM Level 3 is expected to add a "whole text" // retrieval method which performs this function for us. Node node = getNode(nodeHandle); Node n=logicalNextDOMTextNode(node); if(n==null) return node.getNodeValue(); FastStringBuffer buf = StringBufferPool.get(); buf.append(node.getNodeValue()); while(n!=null) { buf.append(n.getNodeValue()); n=logicalNextDOMTextNode(n); } String s = (buf.length() > 0) ? buf.toString() : ""; StringBufferPool.free(buf); return s; }
Given a node handle, return its node value. This is mostly as defined by the DOM, but may ignore some conveniences. <p> @param nodeHandle The node id. @return String Value of this node, or null if not meaningful for this node type.
DOM2DTM::getNodeValue
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getDocumentTypeDeclarationSystemIdentifier() { Document doc; if (m_root.getNodeType() == Node.DOCUMENT_NODE) doc = (Document) m_root; else doc = m_root.getOwnerDocument(); if (null != doc) { DocumentType dtd = doc.getDoctype(); if (null != dtd) { return dtd.getSystemId(); } } return null; }
A document type declaration information item has the following properties: 1. [system identifier] The system identifier of the external subset, if it exists. Otherwise this property has no value. @return the system identifier String object, or null if there is none.
DOM2DTM::getDocumentTypeDeclarationSystemIdentifier
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getDocumentTypeDeclarationPublicIdentifier() { Document doc; if (m_root.getNodeType() == Node.DOCUMENT_NODE) doc = (Document) m_root; else doc = m_root.getOwnerDocument(); if (null != doc) { DocumentType dtd = doc.getDoctype(); if (null != dtd) { return dtd.getPublicId(); } } return null; }
Return the public identifier of the external subset, normalized as described in 4.2.2 External Entities [XML]. If there is no external subset or if it has no public identifier, this property has no value. @return the public identifier String object, or null if there is none.
DOM2DTM::getDocumentTypeDeclarationPublicIdentifier
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public int getElementById(String elementId) { Document doc = (m_root.getNodeType() == Node.DOCUMENT_NODE) ? (Document) m_root : m_root.getOwnerDocument(); if(null != doc) { Node elem = doc.getElementById(elementId); if(null != elem) { int elemHandle = getHandleFromNode(elem); if(DTM.NULL == elemHandle) { int identity = m_nodes.size()-1; while (DTM.NULL != (identity = getNextNodeIdentity(identity))) { Node node = getNode(identity); if(node == elem) { elemHandle = getHandleFromNode(elem); break; } } } return elemHandle; } } return DTM.NULL; }
Returns the <code>Element</code> whose <code>ID</code> is given by <code>elementId</code>. If no such element exists, returns <code>DTM.NULL</code>. Behavior is not defined if more than one element has this <code>ID</code>. Attributes (including those with the name "ID") are not of type ID unless so defined by DTD/Schema information available to the DTM implementation. Implementations that do not know whether attributes are of type ID or not are expected to return <code>DTM.NULL</code>. <p>%REVIEW% Presumably IDs are still scoped to a single document, and this operation searches only within a single document, right? Wouldn't want collisions between DTMs in the same process.</p> @param elementId The unique <code>id</code> value for an element. @return The handle of the matching element.
DOM2DTM::getElementById
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public String getUnparsedEntityURI(String name) { String url = ""; Document doc = (m_root.getNodeType() == Node.DOCUMENT_NODE) ? (Document) m_root : m_root.getOwnerDocument(); if (null != doc) { DocumentType doctype = doc.getDoctype(); if (null != doctype) { NamedNodeMap entities = doctype.getEntities(); if(null == entities) return url; Entity entity = (Entity) entities.getNamedItem(name); if(null == entity) return url; String notationName = entity.getNotationName(); if (null != notationName) // then it's unparsed { // The draft says: "The XSLT processor may use the public // identifier to generate a URI for the entity instead of the URI // specified in the system identifier. If the XSLT processor does // not use the public identifier to generate the URI, it must use // the system identifier; if the system identifier is a relative // URI, it must be resolved into an absolute URI using the URI of // the resource containing the entity declaration as the base // URI [RFC2396]." // So I'm falling a bit short here. url = entity.getSystemId(); if (null == url) { url = entity.getPublicId(); } else { // This should be resolved to an absolute URL, but that's hard // to do from here. } } } } return url; }
The getUnparsedEntityURI function returns the URI of the unparsed entity with the specified name in the same document as the context node (see [3.3 Unparsed Entities]). It returns the empty string if there is no such entity. <p> XML processors may choose to use the System Identifier (if one is provided) to resolve the entity, rather than the URI in the Public Identifier. The details are dependent on the processor, and we would have to support some form of plug-in resolver to handle this properly. Currently, we simply return the System Identifier if present, and hope that it a usable URI or that our caller can map it to one. TODO: Resolve Public Identifiers... or consider changing function name. <p> If we find a relative URI reference, XML expects it to be resolved in terms of the base URI of the document. The DOM doesn't do that for us, and it isn't entirely clear whether that should be done here; currently that's pushed up to a higher level of our application. (Note that DOM Level 1 didn't store the document's base URI.) TODO: Consider resolving Relative URIs. <p> (The DOM's statement that "An XML processor may choose to completely expand entities before the structure model is passed to the DOM" refers only to parsed entities, not unparsed, and hence doesn't affect this function.) @param name A string containing the Entity Name of the unparsed entity. @return String containing the URI of the Unparsed Entity, or an empty string if no such entity exists.
DOM2DTM::getUnparsedEntityURI
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public boolean isAttributeSpecified(int attributeHandle) { int type = getNodeType(attributeHandle); if (DTM.ATTRIBUTE_NODE == type) { Attr attr = (Attr)getNode(attributeHandle); return attr.getSpecified(); } return false; }
5. [specified] A flag indicating whether this attribute was actually specified in the start-tag of its element, or was defaulted from the DTD. @param attributeHandle the attribute handle @return <code>true</code> if the attribute was specified; <code>false</code> if it was defaulted.
DOM2DTM::isAttributeSpecified
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public void setIncrementalSAXSource(IncrementalSAXSource source) { }
Bind an IncrementalSAXSource to this DTM. NOT RELEVANT for DOM2DTM, since we're wrapped around an existing DOM. @param source The IncrementalSAXSource that we want to recieve events from on demand.
DOM2DTM::setIncrementalSAXSource
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.ContentHandler getContentHandler() { return null; }
getContentHandler returns "our SAX builder" -- the thing that someone else should send SAX events to in order to extend this DTM model. @return null if this model doesn't respond to SAX events, "this" if the DTM object has a built-in SAX ContentHandler, the IncrmentalSAXSource if we're bound to one and should receive the SAX stream via it for incremental build purposes... *
DOM2DTM::getContentHandler
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.ext.LexicalHandler getLexicalHandler() { return null; }
Return this DTM's lexical handler. %REVIEW% Should this return null if constrution already done/begun? @return null if this model doesn't respond to lexical SAX events, "this" if the DTM object has a built-in SAX ContentHandler, the IncrementalSAXSource if we're bound to one and should receive the SAX stream via it for incremental build purposes...
DOM2DTM::getLexicalHandler
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.EntityResolver getEntityResolver() { return null; }
Return this DTM's EntityResolver. @return null if this model doesn't respond to SAX entity ref events.
DOM2DTM::getEntityResolver
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.DTDHandler getDTDHandler() { return null; }
Return this DTM's DTDHandler. @return null if this model doesn't respond to SAX dtd events.
DOM2DTM::getDTDHandler
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.ErrorHandler getErrorHandler() { return null; }
Return this DTM's ErrorHandler. @return null if this model doesn't respond to SAX error events.
DOM2DTM::getErrorHandler
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public org.xml.sax.ext.DeclHandler getDeclHandler() { return null; }
Return this DTM's DeclHandler. @return null if this model doesn't respond to SAX Decl events.
DOM2DTM::getDeclHandler
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public boolean needsTwoThreads() { return false; }
@return true iff we're building this model incrementally (eg we're partnered with a IncrementalSAXSource) and thus require that the transformation and the parse run simultaneously. Guidance to the DTMManager. *
DOM2DTM::needsTwoThreads
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
private static boolean isSpace(char ch) { return XMLCharacterRecognizer.isWhiteSpace(ch); // Take the easy way out for now. }
Returns whether the specified <var>ch</var> conforms to the XML 1.0 definition of whitespace. Refer to <A href="http://www.w3.org/TR/1998/REC-xml-19980210#NT-S"> the definition of <CODE>S</CODE></A> for details. @param ch Character to check as XML whitespace. @return =true if <var>ch</var> is XML whitespace; otherwise =false.
DOM2DTM::isSpace
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public void dispatchCharactersEvents( int nodeHandle, org.xml.sax.ContentHandler ch, boolean normalize) throws org.xml.sax.SAXException { if(normalize) { XMLString str = getStringValue(nodeHandle); str = str.fixWhiteSpace(true, true, false); str.dispatchCharactersEvents(ch); } else { int type = getNodeType(nodeHandle); Node node = getNode(nodeHandle); dispatchNodeData(node, ch, 0); // Text coalition -- a DTM text node may represent multiple // DOM nodes. if(TEXT_NODE == type || CDATA_SECTION_NODE == type) { while( null != (node=logicalNextDOMTextNode(node)) ) { dispatchNodeData(node, ch, 0); } } } }
Directly call the characters method on the passed ContentHandler for the string-value of the given node (see http://www.w3.org/TR/xpath#data-model for the definition of a node's string-value). Multiple calls to the ContentHandler's characters methods may well occur for a single call to this method. @param nodeHandle The node ID. @param ch A non-null reference to a ContentHandler. @throws org.xml.sax.SAXException
DOM2DTM::dispatchCharactersEvents
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
protected static void dispatchNodeData(Node node, org.xml.sax.ContentHandler ch, int depth) throws org.xml.sax.SAXException { switch (node.getNodeType()) { case Node.DOCUMENT_FRAGMENT_NODE : case Node.DOCUMENT_NODE : case Node.ELEMENT_NODE : { for (Node child = node.getFirstChild(); null != child; child = child.getNextSibling()) { dispatchNodeData(child, ch, depth+1); } } break; case Node.PROCESSING_INSTRUCTION_NODE : // %REVIEW% case Node.COMMENT_NODE : if(0 != depth) break; // NOTE: Because this operation works in the DOM space, it does _not_ attempt // to perform Text Coalition. That should only be done in DTM space. case Node.TEXT_NODE : case Node.CDATA_SECTION_NODE : case Node.ATTRIBUTE_NODE : String str = node.getNodeValue(); if(ch instanceof CharacterNodeHandler) { ((CharacterNodeHandler)ch).characters(node); } else { ch.characters(str.toCharArray(), 0, str.length()); } break; // /* case Node.PROCESSING_INSTRUCTION_NODE : // // warning(XPATHErrorResources.WG_PARSING_AND_PREPARING); // break; */ default : // ignore break; } }
Retrieve the text content of a DOM subtree, appending it into a user-supplied FastStringBuffer object. Note that attributes are not considered part of the content of an element. <p> There are open questions regarding whitespace stripping. Currently we make no special effort in that regard, since the standard DOM doesn't yet provide DTD-based information to distinguish whitespace-in-element-context from genuine #PCDATA. Note that we should probably also consider xml:space if/when we address this. DOM Level 3 may solve the problem for us. <p> %REVIEW% Note that as a DOM-level operation, it can be argued that this routine _shouldn't_ perform any processing beyond what the DOM already does, and that whitespace stripping and so on belong at the DTM level. If you want a stripped DOM view, wrap DTM2DOM around DOM2DTM. @param node Node whose subtree is to be walked, gathering the contents of all Text or CDATASection nodes.
DOM2DTM::dispatchNodeData
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public void dispatchToEvents(int nodeHandle, org.xml.sax.ContentHandler ch) throws org.xml.sax.SAXException { TreeWalker treeWalker = m_walker; ContentHandler prevCH = treeWalker.getContentHandler(); if(null != prevCH) { treeWalker = new TreeWalker(null); } treeWalker.setContentHandler(ch); try { Node node = getNode(nodeHandle); treeWalker.traverseFragment(node); } finally { treeWalker.setContentHandler(null); } }
Directly create SAX parser events from a subtree. @param nodeHandle The node ID. @param ch A non-null reference to a ContentHandler. @throws org.xml.sax.SAXException
DOM2DTM::dispatchToEvents
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public void setProperty(String property, Object value) { }
For the moment all the run time properties are ignored by this class. @param property a <code>String</code> value @param value an <code>Object</code> value
DOM2DTM::setProperty
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public SourceLocator getSourceLocatorFor(int node) { return null; }
No source information is available for DOM2DTM, so return <code>null</code> here. @param node an <code>int</code> value @return null
DOM2DTM::getSourceLocatorFor
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/dtm/ref/dom2dtm/DOM2DTM.java
MIT
public CopticChronology() { }
Public Constructor to be instantiated by the ServiceLoader
CopticChronology::CopticChronology
java
Reginer/aosp-android-jar
android-34/src/tck/java/time/chrono/CopticChronology.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/tck/java/time/chrono/CopticChronology.java
MIT
private Object readResolve() { return INSTANCE; }
Resolve singleton. @return the singleton instance, not null
CopticChronology::readResolve
java
Reginer/aosp-android-jar
android-34/src/tck/java/time/chrono/CopticChronology.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/tck/java/time/chrono/CopticChronology.java
MIT
public static Bundle createDontSendToRestrictedAppsBundle(@Nullable Bundle bundle) { final BroadcastOptions options = BroadcastOptions.makeBasic(); options.setDontSendToRestrictedApps(true); if (bundle == null) { return options.toBundle(); } bundle.putAll(options.toBundle()); return bundle; }
Creates a Bundle that can be used to restrict the background PendingIntents. @param bundle when provided, will merge the extra options to restrict background PendingIntent into the existing bundle. @return the created Bundle.
PendingIntentUtils::createDontSendToRestrictedAppsBundle
java
Reginer/aosp-android-jar
android-34/src/com/android/server/PendingIntentUtils.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/com/android/server/PendingIntentUtils.java
MIT
public static CharSequence formatElapsedTime(Context context, double millis, boolean withSeconds, boolean collapseTimeUnit) { SpannableStringBuilder sb = new SpannableStringBuilder(); int seconds = (int) Math.floor(millis / 1000); if (!withSeconds) { // Round up. seconds += 30; } int days = 0, hours = 0, minutes = 0; if (seconds >= SECONDS_PER_DAY) { days = seconds / SECONDS_PER_DAY; seconds -= days * SECONDS_PER_DAY; } if (seconds >= SECONDS_PER_HOUR) { hours = seconds / SECONDS_PER_HOUR; seconds -= hours * SECONDS_PER_HOUR; } if (seconds >= SECONDS_PER_MINUTE) { minutes = seconds / SECONDS_PER_MINUTE; seconds -= minutes * SECONDS_PER_MINUTE; } final ArrayList<Measure> measureList = new ArrayList(4); if (days > 0) { measureList.add(new Measure(days, MeasureUnit.DAY)); } if (hours > 0) { measureList.add(new Measure(hours, MeasureUnit.HOUR)); } if (minutes > 0) { measureList.add(new Measure(minutes, MeasureUnit.MINUTE)); } if (withSeconds && seconds > 0) { measureList.add(new Measure(seconds, MeasureUnit.SECOND)); } if (measureList.size() == 0) { // Everything addable was zero, so nothing was added. We add a zero. measureList.add(new Measure(0, withSeconds ? MeasureUnit.SECOND : MeasureUnit.MINUTE)); } if (collapseTimeUnit && measureList.size() > LIMITED_TIME_UNIT_COUNT) { // Limit the output to top 2 time unit. measureList.subList(LIMITED_TIME_UNIT_COUNT, measureList.size()).clear(); } final Measure[] measureArray = measureList.toArray(new Measure[measureList.size()]); final Locale locale = context.getResources().getConfiguration().locale; final MeasureFormat measureFormat = MeasureFormat.getInstance( locale, FormatWidth.SHORT); sb.append(measureFormat.formatMeasures(measureArray)); if (measureArray.length == 1 && MeasureUnit.MINUTE.equals(measureArray[0].getUnit())) { // Add ttsSpan if it only have minute value, because it will be read as "meters" final TtsSpan ttsSpan = new TtsSpan.MeasureBuilder().setNumber(minutes) .setUnit("minute").build(); sb.setSpan(ttsSpan, 0, sb.length(), Spanned.SPAN_EXCLUSIVE_EXCLUSIVE); } return sb; }
Returns elapsed time for the given millis, in the following format: 2 days, 5 hr, 40 min, 29 sec @param context the application context @param millis the elapsed time in milli seconds @param withSeconds include seconds? @param collapseTimeUnit limit the output to top 2 time unit e.g 2 days, 5 hr, 40 min, 29 sec will convert to 2 days, 5 hr @return the formatted elapsed time
StringUtil::formatElapsedTime
java
Reginer/aosp-android-jar
android-33/src/com/android/settingslib/utils/StringUtil.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/settingslib/utils/StringUtil.java
MIT
public static CharSequence formatRelativeTime(Context context, double millis, boolean withSeconds, RelativeDateTimeFormatter.Style formatStyle) { final int seconds = (int) Math.floor(millis / 1000); final RelativeUnit unit; final int value; if (withSeconds && seconds < 2 * SECONDS_PER_MINUTE) { return context.getResources().getString(R.string.time_unit_just_now); } else if (seconds < 2 * SECONDS_PER_HOUR) { unit = RelativeUnit.MINUTES; value = (seconds + SECONDS_PER_MINUTE / 2) / SECONDS_PER_MINUTE; } else if (seconds < 2 * SECONDS_PER_DAY) { unit = RelativeUnit.HOURS; value = (seconds + SECONDS_PER_HOUR / 2) / SECONDS_PER_HOUR; } else { unit = RelativeUnit.DAYS; value = (seconds + SECONDS_PER_DAY / 2) / SECONDS_PER_DAY; } final Locale locale = context.getResources().getConfiguration().locale; final RelativeDateTimeFormatter formatter = RelativeDateTimeFormatter.getInstance( ULocale.forLocale(locale), null /* default NumberFormat */, formatStyle, android.icu.text.DisplayContext.CAPITALIZATION_FOR_MIDDLE_OF_SENTENCE); return formatter.format(value, RelativeDateTimeFormatter.Direction.LAST, unit); }
Returns relative time for the given millis in the past with different format style. In a short format such as "2 days ago", "5 hr. ago", "40 min. ago", or "29 sec. ago". In a long format such as "2 days ago", "5 hours ago", "40 minutes ago" or "29 seconds ago". <p>The unit is chosen to have good information value while only using one unit. So 27 hours and 50 minutes would be formatted as "28 hr. ago", while 50 hours would be formatted as "2 days ago". @param context the application context @param millis the elapsed time in milli seconds @param withSeconds include seconds? @param formatStyle format style @return the formatted elapsed time
StringUtil::formatRelativeTime
java
Reginer/aosp-android-jar
android-33/src/com/android/settingslib/utils/StringUtil.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/settingslib/utils/StringUtil.java
MIT
public static String getIcuPluralsString(Context context, int count, int resId) { MessageFormat msgFormat = new MessageFormat(context.getResources().getString(resId), Locale.getDefault()); Map<String, Object> arguments = new HashMap<>(); arguments.put("count", count); return msgFormat.format(arguments); }
Get ICU plural string without additional arguments @param context Context used to get the string @param count The number used to get the correct string for the current language's plural rules. @param resId Resource id of the string @return Formatted plural string
StringUtil::getIcuPluralsString
java
Reginer/aosp-android-jar
android-33/src/com/android/settingslib/utils/StringUtil.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/settingslib/utils/StringUtil.java
MIT
public static String getIcuPluralsString(Context context, Map<String, Object> args, int resId) { MessageFormat msgFormat = new MessageFormat(context.getResources().getString(resId), Locale.getDefault()); return msgFormat.format(args); }
Get ICU plural string with additional arguments @param context Context used to get the string @param args String arguments @param resId Resource id of the string @return Formatted plural string
StringUtil::getIcuPluralsString
java
Reginer/aosp-android-jar
android-33/src/com/android/settingslib/utils/StringUtil.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-33/src/com/android/settingslib/utils/StringUtil.java
MIT
public ResponderLocation(byte[] lciBuffer, byte[] lcrBuffer) { boolean isLciIeValid = false; boolean isLcrIeValid = false; setLciSubelementDefaults(); setZaxisSubelementDefaults(); setUsageSubelementDefaults(); setBssidListSubelementDefaults(); setCivicLocationSubelementDefaults(); setMapImageSubelementDefaults(); if (lciBuffer != null && lciBuffer.length > LEAD_LCI_ELEMENT_BYTES.length) { isLciIeValid = parseInformationElementBuffer( MEASUREMENT_TYPE_LCI, lciBuffer, LEAD_LCI_ELEMENT_BYTES); } if (lcrBuffer != null && lcrBuffer.length > LEAD_LCR_ELEMENT_BYTES.length) { isLcrIeValid = parseInformationElementBuffer( MEASUREMENT_TYPE_LCR, lcrBuffer, LEAD_LCR_ELEMENT_BYTES); } boolean isLciValid = isLciIeValid && mIsUsageValid && (mIsLciValid || mIsZValid || mIsBssidListValid); boolean isLcrValid = isLcrIeValid && mIsUsageValid && (mIsLocationCivicValid || mIsMapImageValid); mIsValid = isLciValid || isLcrValid; if (!mIsValid) { setLciSubelementDefaults(); setZaxisSubelementDefaults(); setCivicLocationSubelementDefaults(); setMapImageSubelementDefaults(); } }
Constructor @param lciBuffer the bytes received in the LCI Measurement Report Information Element @param lcrBuffer the bytes received in the LCR Measurement Report Information Element @hide
ResponderLocation::ResponderLocation
java
Reginer/aosp-android-jar
android-32/src/android/net/wifi/rtt/ResponderLocation.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/net/wifi/rtt/ResponderLocation.java
MIT
public static AccountManagerService getSingleton() { return sThis.get(); }
This should only be called by system code. One should only call this after the service has started. @return a reference to the AccountManagerService instance @hide
UserAccounts::getSingleton
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private Map<Account, Integer> getAccountsAndVisibilityForPackage(String packageName, List<String> accountTypes, Integer callingUid, UserAccounts accounts) { if (!packageExistsForUser(packageName, accounts.userId)) { Log.d(TAG, "Package not found " + packageName); return new LinkedHashMap<>(); } Map<Account, Integer> result = new LinkedHashMap<>(); for (String accountType : accountTypes) { synchronized (accounts.dbLock) { synchronized (accounts.cacheLock) { final Account[] accountsOfType = accounts.accountCache.get(accountType); if (accountsOfType != null) { for (Account account : accountsOfType) { result.put(account, resolveAccountVisibility(account, packageName, accounts)); } } } } } return filterSharedAccounts(accounts, result, callingUid, packageName); }
This should only be called by system code. One should only call this after the service has started. @return a reference to the AccountManagerService instance @hide public static AccountManagerService getSingleton() { return sThis.get(); } public AccountManagerService(Injector injector) { mInjector = injector; mContext = injector.getContext(); mPackageManager = mContext.getPackageManager(); mAppOpsManager = mContext.getSystemService(AppOpsManager.class); mHandler = new MessageHandler(injector.getMessageHandlerLooper()); mAuthenticatorCache = mInjector.getAccountAuthenticatorCache(); mAuthenticatorCache.setListener(this, mHandler); sThis.set(this); IntentFilter intentFilter = new IntentFilter(); intentFilter.addAction(Intent.ACTION_PACKAGE_REMOVED); intentFilter.addDataScheme("package"); mContext.registerReceiver(new BroadcastReceiver() { @Override public void onReceive(Context context1, Intent intent) { // Don't delete accounts when updating a authenticator's // package. if (!intent.getBooleanExtra(Intent.EXTRA_REPLACING, false)) { /* Purging data requires file io, don't block the main thread. This is probably less than ideal because we are introducing a race condition where old grants could be exercised until they are purged. But that race condition existed anyway with the broadcast receiver. Ideally, we would completely clear the cache, purge data from the database, and then rebuild the cache. All under the cache lock. But that change is too large at this point. final String removedPackageName = intent.getData().getSchemeSpecificPart(); Runnable purgingRunnable = new Runnable() { @Override public void run() { purgeOldGrantsAll(); // Notify authenticator about removed app? removeVisibilityValuesForPackage(removedPackageName); } }; mHandler.post(purgingRunnable); } } }, intentFilter); injector.addLocalService(new AccountManagerInternalImpl()); IntentFilter userFilter = new IntentFilter(); userFilter.addAction(Intent.ACTION_USER_REMOVED); mContext.registerReceiverAsUser(new BroadcastReceiver() { @Override public void onReceive(Context context, Intent intent) { String action = intent.getAction(); if (Intent.ACTION_USER_REMOVED.equals(action)) { int userId = intent.getIntExtra(Intent.EXTRA_USER_HANDLE, -1); if (userId < 1) return; Slog.i(TAG, "User " + userId + " removed"); purgeUserData(userId); } } }, UserHandle.ALL, userFilter, null, null); // Need to cancel account request notifications if the update/install can access the account new PackageMonitor() { @Override public void onPackageAdded(String packageName, int uid) { // Called on a handler, and running as the system cancelAccountAccessRequestNotificationIfNeeded(uid, true); } @Override public void onPackageUpdateFinished(String packageName, int uid) { // Called on a handler, and running as the system cancelAccountAccessRequestNotificationIfNeeded(uid, true); } }.register(mContext, mHandler.getLooper(), UserHandle.ALL, true); // Cancel account request notification if an app op was preventing the account access mAppOpsManager.startWatchingMode(AppOpsManager.OP_GET_ACCOUNTS, null, new AppOpsManager.OnOpChangedInternalListener() { @Override public void onOpChanged(int op, String packageName) { try { final int userId = ActivityManager.getCurrentUser(); final int uid = mPackageManager.getPackageUidAsUser(packageName, userId); final int mode = mAppOpsManager.checkOpNoThrow( AppOpsManager.OP_GET_ACCOUNTS, uid, packageName); if (mode == AppOpsManager.MODE_ALLOWED) { final long identity = Binder.clearCallingIdentity(); try { cancelAccountAccessRequestNotificationIfNeeded(packageName, uid, true); } finally { Binder.restoreCallingIdentity(identity); } } } catch (NameNotFoundException e) { /* ignore } } }); // Cancel account request notification if a permission was preventing the account access mPackageManager.addOnPermissionsChangeListener( (int uid) -> { // Permission changes cause requires updating accounts cache. AccountManager.invalidateLocalAccountsDataCaches(); Account[] accounts = null; String[] packageNames = mPackageManager.getPackagesForUid(uid); if (packageNames != null) { final int userId = UserHandle.getUserId(uid); final long identity = Binder.clearCallingIdentity(); try { for (String packageName : packageNames) { // if app asked for permission we need to cancel notification even // for O+ applications. if (mPackageManager.checkPermission( Manifest.permission.GET_ACCOUNTS, packageName) != PackageManager.PERMISSION_GRANTED) { continue; } if (accounts == null) { accounts = getAccountsAsUser(null, userId, "android"); if (ArrayUtils.isEmpty(accounts)) { return; } } for (Account account : accounts) { cancelAccountAccessRequestNotificationIfNeeded( account, uid, packageName, true); } } } finally { Binder.restoreCallingIdentity(identity); } } }); } boolean getBindInstantServiceAllowed(int userId) { return mAuthenticatorCache.getBindInstantServiceAllowed(userId); } void setBindInstantServiceAllowed(int userId, boolean allowed) { mAuthenticatorCache.setBindInstantServiceAllowed(userId, allowed); } private void cancelAccountAccessRequestNotificationIfNeeded(int uid, boolean checkAccess) { Account[] accounts = getAccountsAsUser(null, UserHandle.getUserId(uid), "android"); for (Account account : accounts) { cancelAccountAccessRequestNotificationIfNeeded(account, uid, checkAccess); } } private void cancelAccountAccessRequestNotificationIfNeeded(String packageName, int uid, boolean checkAccess) { Account[] accounts = getAccountsAsUser(null, UserHandle.getUserId(uid), "android"); for (Account account : accounts) { cancelAccountAccessRequestNotificationIfNeeded(account, uid, packageName, checkAccess); } } private void cancelAccountAccessRequestNotificationIfNeeded(Account account, int uid, boolean checkAccess) { String[] packageNames = mPackageManager.getPackagesForUid(uid); if (packageNames != null) { for (String packageName : packageNames) { cancelAccountAccessRequestNotificationIfNeeded(account, uid, packageName, checkAccess); } } } private void cancelAccountAccessRequestNotificationIfNeeded(Account account, int uid, String packageName, boolean checkAccess) { if (!checkAccess || hasAccountAccess(account, packageName, UserHandle.getUserHandleForUid(uid))) { cancelNotification(getCredentialPermissionNotificationId(account, AccountManager.ACCOUNT_ACCESS_TOKEN_TYPE, uid), UserHandle.getUserHandleForUid(uid)); } } @Override public boolean addAccountExplicitlyWithVisibility(Account account, String password, Bundle extras, Map packageToVisibility, String opPackageName) { Bundle.setDefusable(extras, true); int callingUid = Binder.getCallingUid(); int userId = UserHandle.getCallingUserId(); if (Log.isLoggable(TAG, Log.VERBOSE)) { Log.v(TAG, "addAccountExplicitly: " + account + ", caller's uid " + callingUid + ", pid " + Binder.getCallingPid()); } Objects.requireNonNull(account, "account cannot be null"); if (!isAccountManagedByCaller(account.type, callingUid, userId)) { String msg = String.format("uid %s cannot explicitly add accounts of type: %s", callingUid, account.type); throw new SecurityException(msg); } /* Child users are not allowed to add accounts. Only the accounts that are shared by the parent profile can be added to child profile. TODO: Only allow accounts that were shared to be added by a limited user. // fails if the account already exists final long identityToken = clearCallingIdentity(); try { UserAccounts accounts = getUserAccounts(userId); return addAccountInternal(accounts, account, password, extras, callingUid, (Map<String, Integer>) packageToVisibility, opPackageName); } finally { restoreCallingIdentity(identityToken); } } @Override public Map<Account, Integer> getAccountsAndVisibilityForPackage(String packageName, String accountType) { int callingUid = Binder.getCallingUid(); int userId = UserHandle.getCallingUserId(); boolean isSystemUid = UserHandle.isSameApp(callingUid, Process.SYSTEM_UID); List<String> managedTypes = getTypesForCaller(callingUid, userId, isSystemUid); if ((accountType != null && !managedTypes.contains(accountType)) || (accountType == null && !isSystemUid)) { throw new SecurityException( "getAccountsAndVisibilityForPackage() called from unauthorized uid " + callingUid + " with packageName=" + packageName); } if (accountType != null) { managedTypes = new ArrayList<String>(); managedTypes.add(accountType); } final long identityToken = clearCallingIdentity(); try { UserAccounts accounts = getUserAccounts(userId); return getAccountsAndVisibilityForPackage(packageName, managedTypes, callingUid, accounts); } finally { restoreCallingIdentity(identityToken); } } /* accountTypes may not be null
UserAccounts::getAccountsAndVisibilityForPackage
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private @NonNull Map<String, Integer> getPackagesAndVisibilityForAccountLocked(Account account, UserAccounts accounts) { Map<String, Integer> accountVisibility = accounts.visibilityCache.get(account); if (accountVisibility == null) { Log.d(TAG, "Visibility was not initialized"); accountVisibility = new HashMap<>(); accounts.visibilityCache.put(account, accountVisibility); AccountManager.invalidateLocalAccountsDataCaches(); } return accountVisibility; }
Returns Map with all package names and visibility values for given account. The method and returned map must be guarded by accounts.cacheLock @param account Account to get visibility values. @param accounts UserAccount that currently hosts the account and application @return Map with cache for package names to visibility.
UserAccounts::getPackagesAndVisibilityForAccountLocked
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private int getAccountVisibilityFromCache(Account account, String packageName, UserAccounts accounts) { synchronized (accounts.cacheLock) { Map<String, Integer> accountVisibility = getPackagesAndVisibilityForAccountLocked(account, accounts); Integer visibility = accountVisibility.get(packageName); return visibility != null ? visibility : AccountManager.VISIBILITY_UNDEFINED; } }
Method returns visibility for given account and package name. @param account The account to check visibility. @param packageName Package name to check visibility. @param accounts UserAccount that currently hosts the account and application @return Visibility value, AccountManager.VISIBILITY_UNDEFINED if no value was stored.
UserAccounts::getAccountVisibilityFromCache
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private Integer resolveAccountVisibility(Account account, @NonNull String packageName, UserAccounts accounts) { Objects.requireNonNull(packageName, "packageName cannot be null"); int uid = -1; try { final long identityToken = clearCallingIdentity(); try { uid = mPackageManager.getPackageUidAsUser(packageName, accounts.userId); } finally { restoreCallingIdentity(identityToken); } } catch (NameNotFoundException e) { Log.d(TAG, "Package not found " + e.getMessage()); return AccountManager.VISIBILITY_NOT_VISIBLE; } // System visibility can not be restricted. if (UserHandle.isSameApp(uid, Process.SYSTEM_UID)) { return AccountManager.VISIBILITY_VISIBLE; } int signatureCheckResult = checkPackageSignature(account.type, uid, accounts.userId); // Authenticator can not restrict visibility to itself. if (signatureCheckResult == SIGNATURE_CHECK_UID_MATCH) { return AccountManager.VISIBILITY_VISIBLE; // Authenticator can always see the account } // Return stored value if it was set. int visibility = getAccountVisibilityFromCache(account, packageName, accounts); if (AccountManager.VISIBILITY_UNDEFINED != visibility) { return visibility; } boolean isPrivileged = isPermittedForPackage(packageName, accounts.userId, Manifest.permission.GET_ACCOUNTS_PRIVILEGED); // Device/Profile owner gets visibility by default. if (isProfileOwner(uid)) { return AccountManager.VISIBILITY_VISIBLE; } boolean preO = isPreOApplication(packageName); if ((signatureCheckResult != SIGNATURE_CHECK_MISMATCH) || (preO && checkGetAccountsPermission(packageName, accounts.userId)) || (checkReadContactsPermission(packageName, accounts.userId) && accountTypeManagesContacts(account.type, accounts.userId)) || isPrivileged) { // Use legacy for preO apps with GET_ACCOUNTS permission or pre/postO with signature // match. visibility = getAccountVisibilityFromCache(account, AccountManager.PACKAGE_NAME_KEY_LEGACY_VISIBLE, accounts); if (AccountManager.VISIBILITY_UNDEFINED == visibility) { visibility = AccountManager.VISIBILITY_USER_MANAGED_VISIBLE; } } else { visibility = getAccountVisibilityFromCache(account, AccountManager.PACKAGE_NAME_KEY_LEGACY_NOT_VISIBLE, accounts); if (AccountManager.VISIBILITY_UNDEFINED == visibility) { visibility = AccountManager.VISIBILITY_USER_MANAGED_NOT_VISIBLE; } } return visibility; }
Method which handles default values for Account visibility. @param account The account to check visibility. @param packageName Package name to check visibility @param accounts UserAccount that currently hosts the account and application @return Visibility value, the method never returns AccountManager.VISIBILITY_UNDEFINED
UserAccounts::resolveAccountVisibility
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private boolean isPreOApplication(String packageName) { try { final long identityToken = clearCallingIdentity(); ApplicationInfo applicationInfo; try { applicationInfo = mPackageManager.getApplicationInfo(packageName, 0); } finally { restoreCallingIdentity(identityToken); } if (applicationInfo != null) { int version = applicationInfo.targetSdkVersion; return version < android.os.Build.VERSION_CODES.O; } return true; } catch (NameNotFoundException e) { Log.d(TAG, "Package not found " + e.getMessage()); return true; } }
Checks targetSdk for a package; @param packageName Package name @return True if package's target SDK is below {@link android.os.Build.VERSION_CODES#O}, or undefined
UserAccounts::isPreOApplication
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private boolean setAccountVisibility(Account account, String packageName, int newVisibility, boolean notify, UserAccounts accounts) { synchronized (accounts.dbLock) { synchronized (accounts.cacheLock) { Map<String, Integer> packagesToVisibility; List<String> accountRemovedReceivers; if (notify) { if (isSpecialPackageKey(packageName)) { packagesToVisibility = getRequestingPackages(account, accounts); accountRemovedReceivers = getAccountRemovedReceivers(account, accounts); } else { if (!packageExistsForUser(packageName, accounts.userId)) { return false; // package is not installed. } packagesToVisibility = new HashMap<>(); packagesToVisibility.put(packageName, resolveAccountVisibility(account, packageName, accounts)); accountRemovedReceivers = new ArrayList<>(); if (shouldNotifyPackageOnAccountRemoval(account, packageName, accounts)) { accountRemovedReceivers.add(packageName); } } } else { // Notifications will not be send - only used during add account. if (!isSpecialPackageKey(packageName) && !packageExistsForUser(packageName, accounts.userId)) { // package is not installed and not meta value. return false; } packagesToVisibility = Collections.emptyMap(); accountRemovedReceivers = Collections.emptyList(); } if (!updateAccountVisibilityLocked(account, packageName, newVisibility, accounts)) { return false; } if (notify) { for (Entry<String, Integer> packageToVisibility : packagesToVisibility .entrySet()) { int oldVisibility = packageToVisibility.getValue(); int currentVisibility = resolveAccountVisibility(account, packageName, accounts); if (isVisible(oldVisibility) != isVisible(currentVisibility)) { notifyPackage(packageToVisibility.getKey(), accounts); } } for (String packageNameToNotify : accountRemovedReceivers) { sendAccountRemovedBroadcast(account, packageNameToNotify, accounts.userId); } sendAccountsChangedBroadcast(accounts.userId); } return true; } } }
Updates visibility for given account name and package. @param account Account to update visibility. @param packageName Package name for which visibility is updated. @param newVisibility New visibility calue @param notify if the flag is set applications will get notification about visibility change @param accounts UserAccount that currently hosts the account and application @return True if account visibility was changed.
UserAccounts::setAccountVisibility
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private void notifyPackage(String packageName, UserAccounts accounts) { Intent intent = new Intent(AccountManager.ACTION_VISIBLE_ACCOUNTS_CHANGED); intent.setPackage(packageName); intent.setFlags(Intent.FLAG_RECEIVER_REGISTERED_ONLY); mContext.sendBroadcastAsUser(intent, new UserHandle(accounts.userId)); }
Sends a direct intent to a package, notifying it of account visibility change. @param packageName to send Account to @param accounts UserAccount that currently hosts the account
UserAccounts::notifyPackage
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private boolean isSpecialPackageKey(String packageName) { return (AccountManager.PACKAGE_NAME_KEY_LEGACY_VISIBLE.equals(packageName) || AccountManager.PACKAGE_NAME_KEY_LEGACY_NOT_VISIBLE.equals(packageName)); }
Returns true if packageName is one of special values.
UserAccounts::isSpecialPackageKey
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
public void validateAccounts(int userId) { final UserAccounts accounts = getUserAccounts(userId); // Invalidate user-specific cache to make sure we catch any // removed authenticators. validateAccountsInternal(accounts, true /* invalidateAuthenticatorCache */); }
Validate internal set of accounts against installed authenticators for given user. Clears cached authenticators before validating.
UserAccounts::validateAccounts
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private void validateAccountsInternal( UserAccounts accounts, boolean invalidateAuthenticatorCache) { if (Log.isLoggable(TAG, Log.DEBUG)) { Log.d(TAG, "validateAccountsInternal " + accounts.userId + " isCeDatabaseAttached=" + accounts.accountsDb.isCeDatabaseAttached() + " userLocked=" + mLocalUnlockedUsers.get(accounts.userId)); } if (invalidateAuthenticatorCache) { mAuthenticatorCache.invalidateCache(accounts.userId); } final HashMap<String, Integer> knownAuth = getAuthenticatorTypeAndUIDForUser( mAuthenticatorCache, accounts.userId); boolean userUnlocked = isLocalUnlockedUser(accounts.userId); synchronized (accounts.dbLock) { synchronized (accounts.cacheLock) { boolean accountDeleted = false; // Get a map of stored authenticator types to UID final AccountsDb accountsDb = accounts.accountsDb; Map<String, Integer> metaAuthUid = accountsDb.findMetaAuthUid(); // Create a list of authenticator type whose previous uid no longer exists HashSet<String> obsoleteAuthType = Sets.newHashSet(); SparseBooleanArray knownUids = null; for (Entry<String, Integer> authToUidEntry : metaAuthUid.entrySet()) { String type = authToUidEntry.getKey(); int uid = authToUidEntry.getValue(); Integer knownUid = knownAuth.get(type); if (knownUid != null && uid == knownUid) { // Remove it from the knownAuth list if it's unchanged. knownAuth.remove(type); } else { /* * The authenticator is presently not cached and should only be triggered * when we think an authenticator has been removed (or is being updated). * But we still want to check if any data with the associated uid is * around. This is an (imperfect) signal that the package may be updating. * * A side effect of this is that an authenticator sharing a uid with * multiple apps won't get its credentials wiped as long as some app with * that uid is still on the device. But I suspect that this is a rare case. * And it isn't clear to me how an attacker could really exploit that * feature. * * The upshot is that we don't have to worry about accounts getting * uninstalled while the authenticator's package is being updated. * */ if (knownUids == null) { knownUids = getUidsOfInstalledOrUpdatedPackagesAsUser(accounts.userId); } if (!knownUids.get(uid)) { // The authenticator is not presently available to the cache. And the // package no longer has a data directory (so we surmise it isn't // updating). So purge its data from the account databases. obsoleteAuthType.add(type); // And delete it from the TABLE_META accountsDb.deleteMetaByAuthTypeAndUid(type, uid); } } } // Add the newly registered authenticator to TABLE_META. If old authenticators have // been re-enabled (after being updated for example), then we just overwrite the old // values. for (Entry<String, Integer> entry : knownAuth.entrySet()) { accountsDb.insertOrReplaceMetaAuthTypeAndUid(entry.getKey(), entry.getValue()); } final Map<Long, Account> accountsMap = accountsDb.findAllDeAccounts(); try { accounts.accountCache.clear(); final HashMap<String, ArrayList<String>> accountNamesByType = new LinkedHashMap<>(); for (Entry<Long, Account> accountEntry : accountsMap.entrySet()) { final long accountId = accountEntry.getKey(); final Account account = accountEntry.getValue(); if (obsoleteAuthType.contains(account.type)) { Slog.w(TAG, "deleting account " + account.toSafeString() + " because type " + account.type + "'s registered authenticator no longer exist."); Map<String, Integer> packagesToVisibility = getRequestingPackages(account, accounts); List<String> accountRemovedReceivers = getAccountRemovedReceivers(account, accounts); accountsDb.beginTransaction(); try { accountsDb.deleteDeAccount(accountId); // Also delete from CE table if user is unlocked; if user is // currently locked the account will be removed later by // syncDeCeAccountsLocked if (userUnlocked) { accountsDb.deleteCeAccount(accountId); } accountsDb.setTransactionSuccessful(); } finally { accountsDb.endTransaction(); } accountDeleted = true; logRecord(AccountsDb.DEBUG_ACTION_AUTHENTICATOR_REMOVE, AccountsDb.TABLE_ACCOUNTS, accountId, accounts); accounts.userDataCache.remove(account); accounts.authTokenCache.remove(account); accounts.accountTokenCaches.remove(account); accounts.visibilityCache.remove(account); for (Entry<String, Integer> packageToVisibility : packagesToVisibility.entrySet()) { if (isVisible(packageToVisibility.getValue())) { notifyPackage(packageToVisibility.getKey(), accounts); } } for (String packageName : accountRemovedReceivers) { sendAccountRemovedBroadcast(account, packageName, accounts.userId); } } else { ArrayList<String> accountNames = accountNamesByType.get(account.type); if (accountNames == null) { accountNames = new ArrayList<>(); accountNamesByType.put(account.type, accountNames); } accountNames.add(account.name); } } for (Map.Entry<String, ArrayList<String>> cur : accountNamesByType.entrySet()) { final String accountType = cur.getKey(); final ArrayList<String> accountNames = cur.getValue(); final Account[] accountsForType = new Account[accountNames.size()]; for (int i = 0; i < accountsForType.length; i++) { accountsForType[i] = new Account(accountNames.get(i), accountType, UUID.randomUUID().toString()); } accounts.accountCache.put(accountType, accountsForType); } accounts.visibilityCache.putAll(accountsDb.findAllVisibilityValues()); AccountManager.invalidateLocalAccountsDataCaches(); } finally { if (accountDeleted) { sendAccountsChangedBroadcast(accounts.userId); } } } } }
Validate internal set of accounts against installed authenticators for given user. Clear cached authenticators before validating when requested.
UserAccounts::validateAccountsInternal
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private AuthenticatorDescription[] getAuthenticatorTypesInternal(int userId) { mAuthenticatorCache.updateServices(userId); Collection<AccountAuthenticatorCache.ServiceInfo<AuthenticatorDescription>> authenticatorCollection = mAuthenticatorCache.getAllServices(userId); AuthenticatorDescription[] types = new AuthenticatorDescription[authenticatorCollection.size()]; int i = 0; for (AccountAuthenticatorCache.ServiceInfo<AuthenticatorDescription> authenticator : authenticatorCollection) { types[i] = authenticator.type; i++; } return types; }
Should only be called inside of a clearCallingIdentity block.
UserAccounts::getAuthenticatorTypesInternal
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
private void addAccountToLinkedRestrictedUsers(Account account, int parentUserId) { List<UserInfo> users = getUserManager().getUsers(); for (UserInfo user : users) { if (user.isRestricted() && (parentUserId == user.restrictedProfileParentId)) { addSharedAccountAsUser(account, user.id); if (isLocalUnlockedUser(user.id)) { mHandler.sendMessage(mHandler.obtainMessage( MESSAGE_COPY_SHARED_ACCOUNT, parentUserId, user.id, account)); } } } }
Adds the account to all linked restricted users as shared accounts. If the user is currently running, then clone the account too. @param account the account to share with limited users
UserAccounts::addAccountToLinkedRestrictedUsers
java
Reginer/aosp-android-jar
android-32/src/com/android/server/accounts/AccountManagerService.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/com/android/server/accounts/AccountManagerService.java
MIT
public hc_entitiesremovenameditem1(final DOMTestDocumentBuilderFactory factory) throws org.w3c.domts.DOMTestIncompatibleException { super(factory); if (factory.hasFeature("XML", null) != true) { throw org.w3c.domts.DOMTestIncompatibleException.incompatibleFeature("XML", null); } // // check if loaded documents are supported for content type // String contentType = getContentType(); preload(contentType, "hc_staff", true); }
Constructor. @param factory document factory, may not be null @throws org.w3c.domts.DOMTestIncompatibleException Thrown if test is not compatible with parser configuration
hc_entitiesremovenameditem1::hc_entitiesremovenameditem1
java
Reginer/aosp-android-jar
android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
MIT
public void runTest() throws Throwable { Document doc; NamedNodeMap entities; DocumentType docType; Node retval; doc = (Document) load("hc_staff", true); docType = doc.getDoctype(); if ( !(("text/html".equals(getContentType()))) ) { assertNotNull("docTypeNotNull", docType); entities = docType.getEntities(); assertNotNull("entitiesNotNull", entities); { boolean success = false; try { retval = entities.removeNamedItem("alpha"); } catch (DOMException ex) { success = (ex.code == DOMException.NO_MODIFICATION_ALLOWED_ERR); } assertTrue("throw_NO_MODIFICATION_ALLOWED_ERR", success); } } }
Runs the test case. @throws Throwable Any uncaught exception causes test to fail
hc_entitiesremovenameditem1::runTest
java
Reginer/aosp-android-jar
android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
MIT
public String getTargetURI() { return "http://www.w3.org/2001/DOM-Test-Suite/level1/core/hc_entitiesremovenameditem1"; }
Gets URI that identifies the test. @return uri identifier of test
hc_entitiesremovenameditem1::getTargetURI
java
Reginer/aosp-android-jar
android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
MIT
public static void main(final String[] args) { DOMTestCase.doMain(hc_entitiesremovenameditem1.class, args); }
Runs this test from the command line. @param args command line arguments
hc_entitiesremovenameditem1::main
java
Reginer/aosp-android-jar
android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/w3c/domts/level1/core/hc_entitiesremovenameditem1.java
MIT
public SystemSensorManager(Context context, Looper mainLooper) { synchronized (sLock) { if (!sNativeClassInited) { sNativeClassInited = true; nativeClassInit(); } } mMainLooper = mainLooper; ApplicationInfo appInfo = context.getApplicationInfo(); mTargetSdkLevel = appInfo.targetSdkVersion; mContext = context; mNativeInstance = nativeCreate(context.getOpPackageName()); mIsPackageDebuggable = (0 != (appInfo.flags & ApplicationInfo.FLAG_DEBUGGABLE)); // initialize the sensor list for (int index = 0;; ++index) { Sensor sensor = new Sensor(); if (android.companion.virtual.flags.Flags.enableNativeVdm()) { if (!nativeGetDefaultDeviceSensorAtIndex(mNativeInstance, sensor, index)) break; } else { if (!nativeGetSensorAtIndex(mNativeInstance, sensor, index)) break; } mFullSensorsList.add(sensor); mHandleToSensor.put(sensor.getHandle(), sensor); } }
For apps targeting S and above, a SecurityException is thrown when they do not have HIGH_SAMPLING_RATE_SENSORS permission, run in debug mode, and request sampling rates that are faster than 200 Hz. @ChangeId @EnabledAfter(targetSdkVersion = Build.VERSION_CODES.R) static final long CHANGE_ID_SAMPLING_RATE_SENSORS_PERMISSION = 136069189L; private static native void nativeClassInit(); private static native long nativeCreate(String opPackageName); private static native boolean nativeGetSensorAtIndex(long nativeInstance, Sensor sensor, int index); private static native boolean nativeGetDefaultDeviceSensorAtIndex(long nativeInstance, Sensor sensor, int index); private static native void nativeGetDynamicSensors(long nativeInstance, List<Sensor> list); private static native void nativeGetRuntimeSensors( long nativeInstance, int deviceId, List<Sensor> list); private static native boolean nativeIsDataInjectionEnabled(long nativeInstance); private static native boolean nativeIsReplayDataInjectionEnabled(long nativeInstance); private static native boolean nativeIsHalBypassReplayDataInjectionEnabled(long nativeInstance); private static native int nativeCreateDirectChannel( long nativeInstance, int deviceId, long size, int channelType, int fd, HardwareBuffer buffer); private static native void nativeDestroyDirectChannel( long nativeInstance, int channelHandle); private static native int nativeConfigDirectChannel( long nativeInstance, int channelHandle, int sensorHandle, int rate); private static native int nativeSetOperationParameter( long nativeInstance, int handle, int type, float[] floatValues, int[] intValues); private static final Object sLock = new Object(); @GuardedBy("sLock") private static boolean sNativeClassInited = false; @GuardedBy("sLock") private static InjectEventQueue sInjectEventQueue = null; private final ArrayList<Sensor> mFullSensorsList = new ArrayList<>(); private List<Sensor> mFullDynamicSensorsList = new ArrayList<>(); private final SparseArray<List<Sensor>> mFullRuntimeSensorListByDevice = new SparseArray<>(); private final SparseArray<SparseArray<List<Sensor>>> mRuntimeSensorListByDeviceByType = new SparseArray<>(); private boolean mDynamicSensorListDirty = true; private final HashMap<Integer, Sensor> mHandleToSensor = new HashMap<>(); // Listener list private final HashMap<SensorEventListener, SensorEventQueue> mSensorListeners = new HashMap<SensorEventListener, SensorEventQueue>(); private final HashMap<TriggerEventListener, TriggerEventQueue> mTriggerListeners = new HashMap<TriggerEventListener, TriggerEventQueue>(); // Dynamic Sensor callbacks private HashMap<DynamicSensorCallback, Handler> mDynamicSensorCallbacks = new HashMap<>(); private BroadcastReceiver mDynamicSensorBroadcastReceiver; private BroadcastReceiver mRuntimeSensorBroadcastReceiver; private VirtualDeviceManager.VirtualDeviceListener mVirtualDeviceListener; // Looper associated with the context in which this instance was created. private final Looper mMainLooper; private final int mTargetSdkLevel; private final boolean mIsPackageDebuggable; private final Context mContext; private final long mNativeInstance; private VirtualDeviceManager mVdm; private Optional<Boolean> mHasHighSamplingRateSensorsPermission = Optional.empty(); /** {@hide}
SystemSensorManager::SystemSensorManager
java
Reginer/aosp-android-jar
android-35/src/android/hardware/SystemSensorManager.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-35/src/android/hardware/SystemSensorManager.java
MIT
public ArrayIndexOutOfBoundsException() { super(); }
Constructs an {@code ArrayIndexOutOfBoundsException} with no detail message.
ArrayIndexOutOfBoundsException::ArrayIndexOutOfBoundsException
java
Reginer/aosp-android-jar
android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
MIT
public ArrayIndexOutOfBoundsException(String s) { super(s); }
Constructs an {@code ArrayIndexOutOfBoundsException} class with the specified detail message. @param s the detail message.
ArrayIndexOutOfBoundsException::ArrayIndexOutOfBoundsException
java
Reginer/aosp-android-jar
android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
MIT
public ArrayIndexOutOfBoundsException(int index) { super("Array index out of range: " + index); }
Constructs a new {@code ArrayIndexOutOfBoundsException} class with an argument indicating the illegal index. <p>The index is included in this exception's detail message. The exact presentation format of the detail message is unspecified. @param index the illegal index.
ArrayIndexOutOfBoundsException::ArrayIndexOutOfBoundsException
java
Reginer/aosp-android-jar
android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/java/lang/ArrayIndexOutOfBoundsException.java
MIT
public AudioDeviceAttributes(int nativeType, @NonNull String address) { mRole = (nativeType & AudioSystem.DEVICE_BIT_IN) != 0 ? ROLE_INPUT : ROLE_OUTPUT; mType = AudioDeviceInfo.convertInternalDeviceToDeviceType(nativeType); mAddress = address; mNativeType = nativeType; }
@hide Constructor from internal device type and address @param type the internal device type, as defined in {@link AudioSystem} @param address the address of the device, or an empty string for devices without one
AudioDeviceAttributes::AudioDeviceAttributes
java
Reginer/aosp-android-jar
android-32/src/android/media/AudioDeviceAttributes.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/media/AudioDeviceAttributes.java
MIT
public int getInternalType() { return mNativeType; }
@hide Returns the internal device type of a device @return the internal device type
AudioDeviceAttributes::getInternalType
java
Reginer/aosp-android-jar
android-32/src/android/media/AudioDeviceAttributes.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/media/AudioDeviceAttributes.java
MIT
public static String roleToString(@Role int role) { return (role == ROLE_OUTPUT ? "output" : "input"); }
@hide Returns the internal device type of a device @return the internal device type public int getInternalType() { return mNativeType; } @Override public int hashCode() { return Objects.hash(mRole, mType, mAddress); } @Override public boolean equals(Object o) { if (this == o) return true; if (o == null || getClass() != o.getClass()) return false; AudioDeviceAttributes that = (AudioDeviceAttributes) o; return ((mRole == that.mRole) && (mType == that.mType) && mAddress.equals(that.mAddress)); } /** @hide
AudioDeviceAttributes::roleToString
java
Reginer/aosp-android-jar
android-32/src/android/media/AudioDeviceAttributes.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-32/src/android/media/AudioDeviceAttributes.java
MIT
public ToStream() { }
Default constructor
ToStream::ToStream
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/serializer/ToStream.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/serializer/ToStream.java
MIT
protected void closeCDATA() throws org.xml.sax.SAXException { try { m_writer.write(CDATA_DELIMITER_CLOSE); // write out a CDATA section closing "]]>" m_cdataTagOpen = false; // Remember that we have done so. } catch (IOException e) { throw new SAXException(e); } }
This helper method to writes out "]]>" when closing a CDATA section. @throws org.xml.sax.SAXException
ToStream::closeCDATA
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/serializer/ToStream.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/serializer/ToStream.java
MIT
public void serialize(Node node) throws IOException { try { TreeWalker walker = new TreeWalker(this); walker.traverse(node); } catch (org.xml.sax.SAXException se) { throw new WrappedRuntimeException(se); } }
Serializes the DOM node. Throws an exception only if an I/O exception occured while serializing. @param node Node to serialize. @throws IOException An I/O exception occured while serializing
ToStream::serialize
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/serializer/ToStream.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/serializer/ToStream.java
MIT
protected final void flushWriter() throws org.xml.sax.SAXException { final java.io.Writer writer = m_writer; if (null != writer) { try { if (writer instanceof WriterToUTF8Buffered) { if (m_shouldFlush) ((WriterToUTF8Buffered) writer).flush(); else ((WriterToUTF8Buffered) writer).flushBuffer(); } if (writer instanceof WriterToASCI) { if (m_shouldFlush) writer.flush(); } else { // Flush always. // Not a great thing if the writer was created // by this class, but don't have a choice. writer.flush(); } } catch (IOException ioe) { throw new org.xml.sax.SAXException(ioe); } } }
Flush the formatter's result stream. @throws org.xml.sax.SAXException
ToStream::flushWriter
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/serializer/ToStream.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/serializer/ToStream.java
MIT
public OutputStream getOutputStream() { return m_outputStream; }
Get the output stream where the events will be serialized to. @return reference to the result stream, or null of only a writer was set.
ToStream::getOutputStream
java
Reginer/aosp-android-jar
android-34/src/org/apache/xml/serializer/ToStream.java
https://github.com/Reginer/aosp-android-jar/blob/master/android-34/src/org/apache/xml/serializer/ToStream.java
MIT