diff options
41 files changed, 423 insertions, 136 deletions
| diff --git a/indra/llcommon/llsd.cpp b/indra/llcommon/llsd.cpp index 8276ec836a..f962485284 100755 --- a/indra/llcommon/llsd.cpp +++ b/indra/llcommon/llsd.cpp @@ -506,6 +506,8 @@ namespace  		LLSD::array_iterator beginArray() { return mData.begin(); }  		LLSD::array_iterator endArray() { return mData.end(); } +		LLSD::reverse_array_iterator rbeginArray() { return mData.rbegin(); } +		LLSD::reverse_array_iterator rendArray() { return mData.rend(); }  		virtual LLSD::array_const_iterator beginArray() const { return mData.begin(); }  		virtual LLSD::array_const_iterator endArray() const { return mData.end(); } @@ -947,6 +949,9 @@ LLSD::array_iterator		LLSD::endArray()		{ return makeArray(impl).endArray(); }  LLSD::array_const_iterator	LLSD::beginArray() const{ return safe(impl).beginArray(); }  LLSD::array_const_iterator	LLSD::endArray() const	{ return safe(impl).endArray(); } +LLSD::reverse_array_iterator	LLSD::rbeginArray()		{ return makeArray(impl).rbeginArray(); } +LLSD::reverse_array_iterator	LLSD::rendArray()		{ return makeArray(impl).rendArray(); } +  namespace llsd  { diff --git a/indra/llcommon/llsd.h b/indra/llcommon/llsd.h index 5eb69059ac..a3792c1f9d 100755 --- a/indra/llcommon/llsd.h +++ b/indra/llcommon/llsd.h @@ -320,11 +320,15 @@ public:  		typedef std::vector<LLSD>::iterator			array_iterator;  		typedef std::vector<LLSD>::const_iterator	array_const_iterator; -		 +		typedef std::vector<LLSD>::reverse_iterator reverse_array_iterator; +  		array_iterator			beginArray();  		array_iterator			endArray();  		array_const_iterator	beginArray() const;  		array_const_iterator	endArray() const; + +		reverse_array_iterator	rbeginArray(); +		reverse_array_iterator	rendArray();  	//@}  	/** @name Type Testing */ diff --git a/indra/llcommon/llsys.cpp b/indra/llcommon/llsys.cpp index 57a6de9060..c2bd476d69 100755 --- a/indra/llcommon/llsys.cpp +++ b/indra/llcommon/llsys.cpp @@ -108,6 +108,9 @@ static const F32 MEM_INFO_THROTTLE = 20;  static const F32 MEM_INFO_WINDOW = 10*60;  #if LL_WINDOWS +// We cannot trust GetVersionEx function on Win8.1 , we should check this value when creating OS string +static const U32 WINNT_WINBLUE = 0x0603; +  #ifndef DLLVERSIONINFO  typedef struct _DllVersionInfo  { @@ -208,6 +211,26 @@ static bool regex_search_no_exc(const S& string, M& match, const R& regex)      }  } +#if LL_WINDOWS +// GetVersionEx should not works correct with Windows 8.1 and the later version. We need to check this case  +static bool	check_for_version(WORD wMajorVersion, WORD wMinorVersion, WORD wServicePackMajor) +{ +    OSVERSIONINFOEXW osvi = { sizeof(osvi), 0, 0, 0, 0, {0}, 0, 0 }; +    DWORDLONG        const dwlConditionMask = VerSetConditionMask( +        VerSetConditionMask( +        VerSetConditionMask( +            0, VER_MAJORVERSION, VER_GREATER_EQUAL), +               VER_MINORVERSION, VER_GREATER_EQUAL), +               VER_SERVICEPACKMAJOR, VER_GREATER_EQUAL); + +    osvi.dwMajorVersion = wMajorVersion; +    osvi.dwMinorVersion = wMinorVersion; +    osvi.wServicePackMajor = wServicePackMajor; + +    return VerifyVersionInfoW(&osvi, VER_MAJORVERSION | VER_MINORVERSION | VER_SERVICEPACKMAJOR, dwlConditionMask) != FALSE; +} +#endif +  LLOSInfo::LLOSInfo() :  	mMajorVer(0), mMinorVer(0), mBuild(0), mOSVersionString("")	  @@ -216,6 +239,7 @@ LLOSInfo::LLOSInfo() :  #if LL_WINDOWS  	OSVERSIONINFOEX osvi;  	BOOL bOsVersionInfoEx; +	BOOL bShouldUseShellVersion = false;  	// Try calling GetVersionEx using the OSVERSIONINFOEX structure.  	ZeroMemory(&osvi, sizeof(OSVERSIONINFOEX)); @@ -278,10 +302,18 @@ LLOSInfo::LLOSInfo() :  				}  				else if(osvi.dwMinorVersion == 2)  				{ -					if(osvi.wProductType == VER_NT_WORKSTATION) -						mOSStringSimple = "Microsoft Windows 8 "; +					if (check_for_version(HIBYTE(WINNT_WINBLUE), LOBYTE(WINNT_WINBLUE), 0)) +					{ +						mOSStringSimple = "Microsoft Windows 8.1 "; +						bShouldUseShellVersion = true; // GetVersionEx failed, going to use shell version +					}  					else -						mOSStringSimple = "Windows Server 2012 "; +					{ +						if(osvi.wProductType == VER_NT_WORKSTATION) +							mOSStringSimple = "Microsoft Windows 8 "; +						else +							mOSStringSimple = "Windows Server 2012 "; +					}  				}  				///get native system info if available.. @@ -348,9 +380,8 @@ LLOSInfo::LLOSInfo() :  			}  			else  			{ -				tmpstr = llformat("%s (Build %d)", -								  csdversion.c_str(), -								  (osvi.dwBuildNumber & 0xffff)); +				tmpstr = !bShouldUseShellVersion ?  llformat("%s (Build %d)", csdversion.c_str(), (osvi.dwBuildNumber & 0xffff)): +					llformat("%s (Build %d)", csdversion.c_str(), shell32_build);  			}  			mOSString = mOSStringSimple + tmpstr; @@ -386,7 +417,7 @@ LLOSInfo::LLOSInfo() :  	std::string compatibility_mode;  	if(got_shell32_version)  	{ -		if(osvi.dwMajorVersion != shell32_major || osvi.dwMinorVersion != shell32_minor) +		if((osvi.dwMajorVersion != shell32_major || osvi.dwMinorVersion != shell32_minor) && !bShouldUseShellVersion)  		{  			compatibility_mode = llformat(" compatibility mode. real ver: %d.%d (Build %d)",   											shell32_major, diff --git a/indra/llinventory/llparcel.cpp b/indra/llinventory/llparcel.cpp index 37c603348e..fdb056b4a1 100755 --- a/indra/llinventory/llparcel.cpp +++ b/indra/llinventory/llparcel.cpp @@ -521,6 +521,11 @@ S32 LLParcel::blockAccess(const LLUUID& agent_id, const LLUUID& group_id,          return BA_ALLOWED;      } +    if(getParcelFlag(PF_DENY_ANONYMOUS) && is_agent_identified && is_agent_transacted) +    { +    	return BA_ALLOWED; +    } +      return BA_NOT_IN_GROUP;  } diff --git a/indra/llui/llcombobox.cpp b/indra/llui/llcombobox.cpp index d4e14d9419..56be52f69a 100755 --- a/indra/llui/llcombobox.cpp +++ b/indra/llui/llcombobox.cpp @@ -534,6 +534,13 @@ void LLComboBox::createLineEditor(const LLComboBox::Params& p)  	}  } +void LLComboBox::setLeftTextPadding(S32 pad) +{ +	S32 left_pad, right_pad; +	mTextEntry->getTextPadding(&left_pad, &right_pad); +	mTextEntry->setTextPadding(pad, right_pad); +} +  void* LLComboBox::getCurrentUserdata()  {  	LLScrollListItem* item = mList->getFirstSelected(); diff --git a/indra/llui/llcombobox.h b/indra/llui/llcombobox.h index 64dbaea306..1e04fb0866 100755 --- a/indra/llui/llcombobox.h +++ b/indra/llui/llcombobox.h @@ -190,6 +190,8 @@ public:  	virtual BOOL	operateOnAll(EOperation op);  	//======================================================================== + +	void			setLeftTextPadding(S32 pad);  	void*			getCurrentUserdata(); diff --git a/indra/llui/llcommandmanager.cpp b/indra/llui/llcommandmanager.cpp index 625fb8e870..ab37ee48b6 100755 --- a/indra/llui/llcommandmanager.cpp +++ b/indra/llui/llcommandmanager.cpp @@ -50,6 +50,7 @@ const LLCommandId LLCommandId::null = LLCommandId("null command");  LLCommand::Params::Params()  	: available_in_toybox("available_in_toybox", false)  	, icon("icon") +	, hover_icon("hover_icon")  	, label_ref("label_ref")  	, name("name")  	, tooltip_ref("tooltip_ref") @@ -71,6 +72,7 @@ LLCommand::LLCommand(const LLCommand::Params& p)  	: mIdentifier(p.name)  	, mAvailableInToybox(p.available_in_toybox)  	, mIcon(p.icon) +	, mHoverIcon(p.hover_icon)  	, mLabelRef(p.label_ref)  	, mName(p.name)  	, mTooltipRef(p.tooltip_ref) diff --git a/indra/llui/llcommandmanager.h b/indra/llui/llcommandmanager.h index ff5a8a3257..47a9b86785 100755 --- a/indra/llui/llcommandmanager.h +++ b/indra/llui/llcommandmanager.h @@ -96,6 +96,8 @@ public:  		Mandatory<std::string>	name;  		Mandatory<std::string>	tooltip_ref; +		Optional<std::string>   hover_icon; +  		Mandatory<std::string>	execute_function;  		Optional<LLSD>			execute_parameters; @@ -124,6 +126,7 @@ public:  	const std::string& labelRef() const { return mLabelRef; }  	const std::string& name() const { return mName; }  	const std::string& tooltipRef() const { return mTooltipRef; } +	const std::string& hoverIcon() const {return mHoverIcon; }  	const std::string& executeFunctionName() const { return mExecuteFunction; }  	const LLSD& executeParameters() const { return mExecuteParameters; } @@ -150,6 +153,7 @@ private:  	std::string mLabelRef;  	std::string mName;  	std::string mTooltipRef; +	std::string mHoverIcon;  	std::string mExecuteFunction;  	LLSD        mExecuteParameters; diff --git a/indra/llui/llscrollcontainer.cpp b/indra/llui/llscrollcontainer.cpp index cbcce0ece5..238eae21c2 100755 --- a/indra/llui/llscrollcontainer.cpp +++ b/indra/llui/llscrollcontainer.cpp @@ -519,7 +519,7 @@ bool LLScrollContainer::addChild(LLView* view, S32 tab_group)  void LLScrollContainer::updateScroll()  { -	if (!mScrolledView) +	if (!getVisible() || !mScrolledView)  	{  		return;  	} diff --git a/indra/llui/lltabcontainer.cpp b/indra/llui/lltabcontainer.cpp index fd98155704..9b08d8a9f5 100755 --- a/indra/llui/lltabcontainer.cpp +++ b/indra/llui/lltabcontainer.cpp @@ -193,12 +193,15 @@ LLTabContainer::TabParams::TabParams()  :	tab_top_image_unselected("tab_top_image_unselected"),  	tab_top_image_selected("tab_top_image_selected"),  	tab_top_image_flash("tab_top_image_flash"), +	tab_top_image_hovered("tab_top_image_hovered"),  	tab_bottom_image_unselected("tab_bottom_image_unselected"),  	tab_bottom_image_selected("tab_bottom_image_selected"),  	tab_bottom_image_flash("tab_bottom_image_flash"), +	tab_bottom_image_hovered("tab_bottom_image_hovered"),  	tab_left_image_unselected("tab_left_image_unselected"),  	tab_left_image_selected("tab_left_image_selected"), -	tab_left_image_flash("tab_left_image_flash") +	tab_left_image_flash("tab_left_image_flash"), +	tab_left_image_hovered("tab_left_image_hovered")  {}  LLTabContainer::Params::Params() @@ -218,7 +221,8 @@ LLTabContainer::Params::Params()  	open_tabs_on_drag_and_drop("open_tabs_on_drag_and_drop", false),  	tab_icon_ctrl_pad("tab_icon_ctrl_pad", 0),  	use_ellipses("use_ellipses"), -	font_halign("halign") +	font_halign("halign"), +	use_highlighting_on_hover("use_highlighting_on_hover",false)  {}  LLTabContainer::LLTabContainer(const LLTabContainer::Params& p) @@ -254,7 +258,8 @@ LLTabContainer::LLTabContainer(const LLTabContainer::Params& p)  	mCustomIconCtrlUsed(p.use_custom_icon_ctrl),  	mOpenTabsOnDragAndDrop(p.open_tabs_on_drag_and_drop),  	mTabIconCtrlPad(p.tab_icon_ctrl_pad), -	mUseTabEllipses(p.use_ellipses) +	mUseTabEllipses(p.use_ellipses), +	mUseHighlightingOnHover(p.use_highlighting_on_hover)  {  	static LLUICachedControl<S32> tabcntr_vert_tab_min_width ("UITabCntrVertTabMinWidth", 0); @@ -891,18 +896,30 @@ void LLTabContainer::update_images(LLTabTuple* tuple, TabParams params, LLTabCon  			tuple->mButton->setImageUnselected(static_cast<LLUIImage*>(params.tab_top_image_unselected));  			tuple->mButton->setImageSelected(static_cast<LLUIImage*>(params.tab_top_image_selected));  			tuple->mButton->setImageFlash(static_cast<LLUIImage*>(params.tab_top_image_flash)); +			if(mUseHighlightingOnHover) +			{ +				tuple->mButton->setImageHoverUnselected(static_cast<LLUIImage*>(params.tab_top_image_hovered)); +			}  		}  		else if (pos == LLTabContainer::BOTTOM)  		{  			tuple->mButton->setImageUnselected(static_cast<LLUIImage*>(params.tab_bottom_image_unselected));  			tuple->mButton->setImageSelected(static_cast<LLUIImage*>(params.tab_bottom_image_selected));  			tuple->mButton->setImageFlash(static_cast<LLUIImage*>(params.tab_bottom_image_flash)); +			if(mUseHighlightingOnHover) +			{ +				tuple->mButton->setImageHoverUnselected(static_cast<LLUIImage*>(params.tab_bottom_image_hovered)); +			}  		}  		else if (pos == LLTabContainer::LEFT)  		{  			tuple->mButton->setImageUnselected(static_cast<LLUIImage*>(params.tab_left_image_unselected));  			tuple->mButton->setImageSelected(static_cast<LLUIImage*>(params.tab_left_image_selected));  			tuple->mButton->setImageFlash(static_cast<LLUIImage*>(params.tab_left_image_flash)); +			if(mUseHighlightingOnHover) +			{ +				tuple->mButton->setImageHoverUnselected(static_cast<LLUIImage*>(params.tab_left_image_hovered)); +			}  		}  	}  } diff --git a/indra/llui/lltabcontainer.h b/indra/llui/lltabcontainer.h index 57862fc626..7e7d4ac6e6 100755 --- a/indra/llui/lltabcontainer.h +++ b/indra/llui/lltabcontainer.h @@ -62,12 +62,15 @@ public:  		Optional<LLUIImage*>				tab_top_image_unselected,  											tab_top_image_selected,  											tab_top_image_flash, +											tab_top_image_hovered,  											tab_bottom_image_unselected,  											tab_bottom_image_selected,  											tab_bottom_image_flash, +											tab_bottom_image_hovered,  											tab_left_image_unselected,  											tab_left_image_selected, -											tab_left_image_flash;		 +											tab_left_image_flash, +											tab_left_image_hovered;  		TabParams();  	}; @@ -114,6 +117,11 @@ public:  		 */  		Optional<S32>						tab_icon_ctrl_pad; +		/** +		 *  This variable is used to found out should we highlight tab button on hover +		*/ +		Optional<bool>						use_highlighting_on_hover; +  		Params();  	}; @@ -307,6 +315,7 @@ private:  	bool							mOpenTabsOnDragAndDrop;  	S32								mTabIconCtrlPad;  	bool							mUseTabEllipses; +	bool                            mUseHighlightingOnHover;  };  #endif  // LL_TABCONTAINER_H diff --git a/indra/llui/lltoolbar.cpp b/indra/llui/lltoolbar.cpp index 928e82cb8c..75f52b8e34 100755 --- a/indra/llui/lltoolbar.cpp +++ b/indra/llui/lltoolbar.cpp @@ -928,6 +928,7 @@ LLToolBarButton* LLToolBar::createButton(const LLCommandId& id)  	button_p.label = LLTrans::getString(commandp->labelRef());  	button_p.tool_tip = LLTrans::getString(commandp->tooltipRef());  	button_p.image_overlay = LLUI::getUIImage(commandp->icon()); +	button_p.image_hover_unselected = LLUI::getUIImage(commandp->hoverIcon());  	button_p.button_flash_enable = commandp->isFlashingAllowed();  	button_p.overwriteFrom(mButtonParams[mButtonType]);  	LLToolBarButton* button = LLUICtrlFactory::create<LLToolBarButton>(button_p); diff --git a/indra/newview/app_settings/commands.xml b/indra/newview/app_settings/commands.xml index 4659673333..aa8e3b5166 100755 --- a/indra/newview/app_settings/commands.xml +++ b/indra/newview/app_settings/commands.xml @@ -13,6 +13,7 @@    <command name="appearance"               available_in_toybox="true"             icon="Command_Appearance_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Appearance_Label"             tooltip_ref="Command_Appearance_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -23,6 +24,7 @@    <command name="avatar"             available_in_toybox="true"             icon="Command_Avatar_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Avatar_Label"             tooltip_ref="Command_Avatar_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -94,6 +96,7 @@    <command name="inventory"             available_in_toybox="true"             icon="Command_Inventory_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Inventory_Label"             tooltip_ref="Command_Inventory_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -121,6 +124,7 @@    <command name="minimap"             available_in_toybox="true"             icon="Command_MiniMap_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_MiniMap_Label"             tooltip_ref="Command_MiniMap_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -171,6 +175,7 @@    <command name="places"             available_in_toybox="true"             icon="Command_Places_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Places_Label"             tooltip_ref="Command_Places_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -199,6 +204,7 @@    <command name="search"             available_in_toybox="true"             icon="Command_Search_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Search_Label"             tooltip_ref="Command_Search_Tooltip"             execute_function="Floater.ToggleOrBringToFront" @@ -209,6 +215,7 @@    <command name="snapshot"             available_in_toybox="true"             icon="Command_Snapshot_Icon" +           hover_icon="Command_Highlighting_Icon"             label_ref="Command_Snapshot_Label"             tooltip_ref="Command_Snapshot_Tooltip"             execute_function="Floater.ToggleOrBringToFront" diff --git a/indra/newview/app_settings/settings.xml b/indra/newview/app_settings/settings.xml index eacc7fbec5..fcd4fb2a68 100755 --- a/indra/newview/app_settings/settings.xml +++ b/indra/newview/app_settings/settings.xml @@ -5932,6 +5932,17 @@        <key>Value</key>        <real>1.6</real>      </map> +    <key>MaxPersistentNotifications</key> +    <map> +      <key>Comment</key> +      <string>Maximum amount of persistent notifications</string> +      <key>Persist</key> +      <integer>1</integer> +      <key>Type</key> +      <string>S32</string> +      <key>Value</key> +      <real>250</real> +    </map>      <key>MaxSelectDistance</key>      <map>        <key>Comment</key> @@ -13267,7 +13278,7 @@        <key>Type</key>        <string>String</string>        <key>Value</key> -      <string>-1</string> +      <string>0</string>      </map>      <key>VivoxDebugSIPURIHostName</key>      <map> diff --git a/indra/newview/llagent.cpp b/indra/newview/llagent.cpp index 49f77e6c34..325707bbf1 100755 --- a/indra/newview/llagent.cpp +++ b/indra/newview/llagent.cpp @@ -1092,11 +1092,19 @@ const LLVector3d &LLAgent::getPositionGlobal() const  //-----------------------------------------------------------------------------  const LLVector3 &LLAgent::getPositionAgent()  { -	if (isAgentAvatarValid() && !gAgentAvatarp->mDrawable.isNull()) +	if (isAgentAvatarValid())  	{ -		mFrameAgent.setOrigin(gAgentAvatarp->getRenderPosition());	 +		if(gAgentAvatarp->mDrawable.isNull()) +		{ +			mFrameAgent.setOrigin(gAgentAvatarp->getPositionAgent()); +		} +		else +		{ +			mFrameAgent.setOrigin(gAgentAvatarp->getRenderPosition()); +		}  	} +  	return mFrameAgent.getOrigin();  } diff --git a/indra/newview/llface.cpp b/indra/newview/llface.cpp index ead013d6c6..4944de6030 100755 --- a/indra/newview/llface.cpp +++ b/indra/newview/llface.cpp @@ -785,7 +785,7 @@ bool less_than_max_mag(const LLVector4a& vec)  }  BOOL LLFace::genVolumeBBoxes(const LLVolume &volume, S32 f, -								const LLMatrix4& mat_vert_in, BOOL global_volume) +								const LLMatrix4& mat_vert_in, const LLMatrix3& mat_normal_in, BOOL global_volume)  {  	//get bounding box  	if (mDrawablep->isState(LLDrawable::REBUILD_VOLUME | LLDrawable::REBUILD_POSITION | LLDrawable::REBUILD_RIGGED)) @@ -794,8 +794,12 @@ BOOL LLFace::genVolumeBBoxes(const LLVolume &volume, S32 f,  		LLMatrix4a mat_vert;  		mat_vert.loadu(mat_vert_in); +		LLMatrix4a mat_normal; +		mat_normal.loadu(mat_normal_in); + +		//VECTORIZE THIS  		LLVector4a min,max; -	 +  		if (f >= volume.getNumVolumeFaces())  		{  			llwarns << "Generating bounding box for invalid face index!" << llendl; @@ -805,58 +809,93 @@ BOOL LLFace::genVolumeBBoxes(const LLVolume &volume, S32 f,  		const LLVolumeFace &face = volume.getVolumeFace(f);  		min = face.mExtents[0];  		max = face.mExtents[1]; -		 +  		llassert(less_than_max_mag(min));  		llassert(less_than_max_mag(max));  		//min, max are in volume space, convert to drawable render space +		LLVector4a center; +		LLVector4a t; +		t.setAdd(min, max); +		t.mul(0.5f); +		mat_vert.affineTransform(t, center); +		LLVector4a size; +		size.setSub(max, min); +		size.mul(0.5f); -		//get 8 corners of bounding box -		LLVector4Logical mask[6]; +		llassert(less_than_max_mag(min)); +		llassert(less_than_max_mag(max)); -		for (U32 i = 0; i < 6; ++i) +		if (!global_volume)  		{ -			mask[i].clear(); +			//VECTORIZE THIS +			LLVector4a scale; +			scale.load3(mDrawablep->getVObj()->getScale().mV); +			size.mul(scale);  		} -		mask[0].setElement<2>(); //001 -		mask[1].setElement<1>(); //010 -		mask[2].setElement<1>(); //011 -		mask[2].setElement<2>(); -		mask[3].setElement<0>(); //100 -		mask[4].setElement<0>(); //101 -		mask[4].setElement<2>(); -		mask[5].setElement<0>(); //110 -		mask[5].setElement<1>(); -		 -		LLVector4a v[8]; +		// Catch potential badness from normalization before it happens +		// +		llassert(mat_normal.mMatrix[0].isFinite3() && (mat_normal.mMatrix[0].dot3(mat_normal.mMatrix[0]).getF32() > F_APPROXIMATELY_ZERO)); +		llassert(mat_normal.mMatrix[1].isFinite3() && (mat_normal.mMatrix[1].dot3(mat_normal.mMatrix[1]).getF32() > F_APPROXIMATELY_ZERO)); +		llassert(mat_normal.mMatrix[2].isFinite3() && (mat_normal.mMatrix[2].dot3(mat_normal.mMatrix[2]).getF32() > F_APPROXIMATELY_ZERO)); -		v[6] = min; -		v[7] = max; +		mat_normal.mMatrix[0].normalize3fast(); +		mat_normal.mMatrix[1].normalize3fast(); +		mat_normal.mMatrix[2].normalize3fast(); -		for (U32 i = 0; i < 6; ++i) -		{ -			v[i].setSelectWithMask(mask[i], min, max); -		} +		LLVector4a v[4]; -		LLVector4a tv[8]; +		//get 4 corners of bounding box +		mat_normal.rotate(size,v[0]); + +		//VECTORIZE THIS +		LLVector4a scale; + +		scale.set(-1.f, -1.f, 1.f); +		scale.mul(size); +		mat_normal.rotate(scale, v[1]); + +		scale.set(1.f, -1.f, -1.f); +		scale.mul(size); +		mat_normal.rotate(scale, v[2]); + +		scale.set(-1.f, 1.f, -1.f); +		scale.mul(size); +		mat_normal.rotate(scale, v[3]); -		//transform bounding box into drawable space -		for (U32 i = 0; i < 8; ++i) -		{ -			mat_vert.affineTransform(v[i], tv[i]); -		} -	 -		//find bounding box  		LLVector4a& newMin = mExtents[0];  		LLVector4a& newMax = mExtents[1]; -		newMin = newMax = tv[0]; +		newMin = newMax = center; -		for (U32 i = 1; i < 8; ++i) +		llassert(less_than_max_mag(center)); + +		for (U32 i = 0; i < 4; i++)  		{ -			newMin.setMin(newMin, tv[i]); -			newMax.setMax(newMax, tv[i]); +			LLVector4a delta; +			delta.setAbs(v[i]); +			LLVector4a min; +			min.setSub(center, delta); +			LLVector4a max; +			max.setAdd(center, delta); + +			newMin.setMin(newMin,min); +			newMax.setMax(newMax,max); + +			llassert(less_than_max_mag(newMin)); +			llassert(less_than_max_mag(newMax)); +		} + +		if (!mDrawablep->isActive()) +		{ +			LLVector4a offset; +			offset.load3(mDrawablep->getRegion()->getOriginAgent().mV); +			newMin.add(offset); +			newMax.add(offset); + +			llassert(less_than_max_mag(newMin)); +			llassert(less_than_max_mag(newMax));  		}  		if (!mDrawablep->isActive()) @@ -867,12 +906,17 @@ BOOL LLFace::genVolumeBBoxes(const LLVolume &volume, S32 f,  			newMax.add(offset);  		} -		LLVector4a t; -		t.setAdd(newMin,newMax); +		t.setAdd(newMin, newMax);  		t.mul(0.5f); +		llassert(less_than_max_mag(t)); + +		//VECTORIZE THIS  		mCenterLocal.set(t.getF32ptr()); +		llassert(less_than_max_mag(newMin)); +		llassert(less_than_max_mag(newMax)); +  		t.setSub(newMax,newMin);  		mBoundingSphereRadius = t.getLength3().getF32()*0.5f; diff --git a/indra/newview/llface.h b/indra/newview/llface.h index 763634a3ab..0687544d53 100755 --- a/indra/newview/llface.h +++ b/indra/newview/llface.h @@ -195,7 +195,7 @@ public:  	void		setSize(S32 numVertices, S32 num_indices = 0, bool align = false);  	BOOL		genVolumeBBoxes(const LLVolume &volume, S32 f, -								   const LLMatrix4& mat, BOOL global_volume = FALSE); +								   const LLMatrix4& mat, const LLMatrix3& inv_trans_mat, BOOL global_volume = FALSE);  	void		init(LLDrawable* drawablep, LLViewerObject* objp);  	void		destroy(); diff --git a/indra/newview/llfilepicker.cpp b/indra/newview/llfilepicker.cpp index d13f85baa2..a105fdee09 100755 --- a/indra/newview/llfilepicker.cpp +++ b/indra/newview/llfilepicker.cpp @@ -425,6 +425,19 @@ BOOL LLFilePicker::getSaveFile(ESaveFilter filter, const std::string& filename)  			L"PNG Images (*.png)\0*.png\0" \  			L"\0";  		break; +	case FFSAVE_TGAPNG: +		if (filename.empty()) +		{ +			wcsncpy( mFilesW,L"untitled.png", FILENAME_BUFFER_SIZE);	/*Flawfinder: ignore*/ +			//PNG by default +		} +		mOFN.lpstrDefExt = L"png"; +		mOFN.lpstrFilter = +			L"PNG Images (*.png)\0*.png\0" \ +			L"Targa Images (*.tga)\0*.tga\0" \ +			L"\0"; +		break; +		  	case FFSAVE_JPEG:  		if (filename.empty())  		{ @@ -751,13 +764,16 @@ OSStatus	LLFilePicker::doNavSaveDialog(ESaveFilter filter, const std::string& fi  			creator = 'TVOD';  			extension = CFSTR(".wav");  			break; -		  		case FFSAVE_TGA:  			type = 'TPIC';  			creator = 'prvw';  			extension = CFSTR(".tga");  			break; -		 +		case FFSAVE_TGAPNG: +			type = 'PNG'; +			creator = 'prvw'; +			extension = CFSTR(".png"); +			break;  		case FFSAVE_BMP:  			type = 'BMPf';  			creator = 'prvw'; @@ -1089,6 +1105,20 @@ void LLFilePicker::chooser_responder(GtkWidget *widget, gint response, gpointer  		g_slist_free (file_list);  	} +	// let's save the extension of the last added file(considering current filter) +	GtkFileFilter *gfilter = gtk_file_chooser_get_filter(GTK_FILE_CHOOSER(widget)); +	std::string filter = gtk_file_filter_get_name(gfilter); + +	if(filter == LLTrans::getString("png_image_files")) +	{ +		picker->mCurrentExtension = ".png"; +	} +	else if(filter == LLTrans::getString("targa_image_files")) +	{ +		picker->mCurrentExtension = ".tga"; +	} + +  	// set the default path for this usage context.  	const char* cur_folder = gtk_file_chooser_get_current_folder(GTK_FILE_CHOOSER(widget));  	if (cur_folder != NULL) @@ -1260,6 +1290,24 @@ static std::string add_dictionary_filter_to_gtkchooser(GtkWindow *picker)  							LLTrans::getString("dictionary_files") + " (*.dic; *.xcu)");  } +static std::string add_save_texture_filter_to_gtkchooser(GtkWindow *picker) +{ +	GtkFileFilter *gfilter_tga = gtk_file_filter_new(); +	GtkFileFilter *gfilter_png = gtk_file_filter_new(); + +	gtk_file_filter_add_pattern(gfilter_tga, "*.tga"); +	gtk_file_filter_add_mime_type(gfilter_png, "image/png"); +	std::string caption = LLTrans::getString("save_texture_image_files") + " (*.tga; *.png)"; +	gtk_file_filter_set_name(gfilter_tga, LLTrans::getString("targa_image_files").c_str()); +	gtk_file_filter_set_name(gfilter_png, LLTrans::getString("png_image_files").c_str()); + +	gtk_file_chooser_add_filter(GTK_FILE_CHOOSER(picker), +					gfilter_png); +	gtk_file_chooser_add_filter(GTK_FILE_CHOOSER(picker), +					gfilter_tga); +	return caption; +} +  BOOL LLFilePicker::getSaveFile( ESaveFilter filter, const std::string& filename )  {  	BOOL rtn = FALSE; @@ -1297,6 +1345,15 @@ BOOL LLFilePicker::getSaveFile( ESaveFilter filter, const std::string& filename  				(picker, "image/bmp", LLTrans::getString("bitmap_image_files") + " (*.bmp)");  			suggest_ext = ".bmp";  			break; +		case FFSAVE_PNG: +			caption += add_simple_mime_filter_to_gtkchooser +				(picker, "image/png", LLTrans::getString("png_image_files") + " (*.png)"); +			suggest_ext = ".png"; +			break; +		case FFSAVE_TGAPNG: +			caption += add_save_texture_filter_to_gtkchooser(picker); +			suggest_ext = ".png"; +			break;  		case FFSAVE_AVI:  			caption += add_simple_mime_filter_to_gtkchooser  				(picker, "video/x-msvideo", @@ -1349,9 +1406,17 @@ BOOL LLFilePicker::getSaveFile( ESaveFilter filter, const std::string& filename  		}  		gtk_widget_show_all(GTK_WIDGET(picker)); +  		gtk_main();  		rtn = (getFileCount() == 1); + +		if(rtn && filter == FFSAVE_TGAPNG) +		{ +			std::string selected_file = mFiles.back(); +			mFiles.pop_back(); +			mFiles.push_back(selected_file + mCurrentExtension); +		}  	}  	gViewerWindow->getWindow()->afterDialog(); diff --git a/indra/newview/llfilepicker.h b/indra/newview/llfilepicker.h index 4f602f63f1..8a0ecb124a 100755 --- a/indra/newview/llfilepicker.h +++ b/indra/newview/llfilepicker.h @@ -106,6 +106,7 @@ public:  		FFSAVE_PNG = 13,  		FFSAVE_JPEG = 14,  		FFSAVE_SCRIPT = 15, +		FFSAVE_TGAPNG = 16  	};  	// open the dialog. This is a modal operation @@ -175,6 +176,8 @@ private:  	// we remember the last path that was accessed for a particular usage  	std::map <std::string, std::string> mContextToPathMap;  	std::string mCurContextName; +	// we also remember the extension of the last added file. +	std::string mCurrentExtension;  #endif  	std::vector<std::string> mFiles; diff --git a/indra/newview/llfloatergroupinvite.cpp b/indra/newview/llfloatergroupinvite.cpp index 49da4e64b3..0c735dec1f 100755 --- a/indra/newview/llfloatergroupinvite.cpp +++ b/indra/newview/llfloatergroupinvite.cpp @@ -30,6 +30,7 @@  #include "llpanelgroupinvite.h"  #include "lltrans.h"  #include "lldraghandle.h" +#include "llgroupmgr.h"  class LLFloaterGroupInvite::impl  { @@ -123,6 +124,11 @@ void LLFloaterGroupInvite::showForGroup(const LLUUID& group_id, uuid_vec_t *agen  	LLFloaterGroupInvite *fgi = get_if_there(impl::sInstances,  											 group_id,  											 (LLFloaterGroupInvite*)NULL); + +	// refresh group information +	LLGroupMgr::getInstance()->clearGroupData(group_id); + +  	if (!fgi)  	{  		fgi = new LLFloaterGroupInvite(group_id); diff --git a/indra/newview/llfloaterland.cpp b/indra/newview/llfloaterland.cpp index 6ef4d8717d..22f42875fb 100755 --- a/indra/newview/llfloaterland.cpp +++ b/indra/newview/llfloaterland.cpp @@ -2377,7 +2377,7 @@ void LLPanelLandAccess::refresh()  	{  		BOOL use_access_list = parcel->getParcelFlag(PF_USE_ACCESS_LIST);  		BOOL use_group = parcel->getParcelFlag(PF_USE_ACCESS_GROUP); -		BOOL public_access = !use_access_list && !use_group; +		BOOL public_access = !use_access_list;  		getChild<LLUICtrl>("public_access")->setValue(public_access );  		getChild<LLUICtrl>("GroupCheck")->setValue(use_group ); @@ -2582,7 +2582,6 @@ void LLPanelLandAccess::refresh_ui()  			{  				getChildView("Only Allow")->setToolTip(std::string());  			} -			getChildView("GroupCheck")->setEnabled(FALSE);  			getChildView("PassCheck")->setEnabled(FALSE);  			getChildView("pass_combo")->setEnabled(FALSE);  			getChildView("AccessList")->setEnabled(FALSE); @@ -2592,11 +2591,7 @@ void LLPanelLandAccess::refresh_ui()  			getChildView("limit_payment")->setEnabled(FALSE);  			getChildView("limit_age_verified")->setEnabled(FALSE); -			std::string group_name; -			if (gCacheName->getGroupName(parcel->getGroupID(), group_name)) -			{			 -				getChildView("GroupCheck")->setEnabled(can_manage_allowed); -			} +  			BOOL group_access = getChild<LLUICtrl>("GroupCheck")->getValue().asBoolean();  			BOOL sell_passes = getChild<LLUICtrl>("PassCheck")->getValue().asBoolean();  			getChildView("PassCheck")->setEnabled(can_manage_allowed); @@ -2607,6 +2602,11 @@ void LLPanelLandAccess::refresh_ui()  				getChildView("HoursSpin")->setEnabled(can_manage_allowed);  			}  		} +		std::string group_name; +		if (gCacheName->getGroupName(parcel->getGroupID(), group_name)) +		{ +			getChildView("GroupCheck")->setEnabled(can_manage_allowed); +		}  		getChildView("AccessList")->setEnabled(can_manage_allowed);  		S32 allowed_list_count = parcel->mAccessList.size();  		getChildView("add_allowed")->setEnabled(can_manage_allowed && allowed_list_count < PARCEL_MAX_ACCESS_LIST); @@ -2652,17 +2652,6 @@ void LLPanelLandAccess::onCommitPublicAccess(LLUICtrl *ctrl, void *userdata)  	{  		return;  	} - -	// If we disabled public access, enable group access by default (if applicable) -	BOOL public_access = self->getChild<LLUICtrl>("public_access")->getValue().asBoolean(); -	if (public_access == FALSE) -	{ -		std::string group_name; -		if (gCacheName->getGroupName(parcel->getGroupID(), group_name)) -		{ -			self->getChild<LLUICtrl>("GroupCheck")->setValue(public_access ? FALSE : TRUE); -		} -	}  	onCommitAny(ctrl, userdata);  } @@ -2697,7 +2686,6 @@ void LLPanelLandAccess::onCommitAny(LLUICtrl *ctrl, void *userdata)  	if (public_access)  	{  		use_access_list = FALSE; -		use_access_group = FALSE;  		limit_payment = self->getChild<LLUICtrl>("limit_payment")->getValue().asBoolean();  		limit_age_verified = self->getChild<LLUICtrl>("limit_age_verified")->getValue().asBoolean();  	} diff --git a/indra/newview/llfloaterwebcontent.cpp b/indra/newview/llfloaterwebcontent.cpp index 3fe2518de6..c8b48ea6ca 100755 --- a/indra/newview/llfloaterwebcontent.cpp +++ b/indra/newview/llfloaterwebcontent.cpp @@ -350,10 +350,12 @@ void LLFloaterWebContent::handleMediaEvent(LLPluginClassMedia* self, EMediaEvent  		if(test_prefix == prefix)  		{  			mSecureLockIcon->setVisible(true); +			mAddressCombo->setLeftTextPadding(22);  		}  		else  		{  			mSecureLockIcon->setVisible(false); +			mAddressCombo->setLeftTextPadding(2);  		}  	}  	else if(event == MEDIA_EVENT_CLOSE_REQUEST) diff --git a/indra/newview/llpanelmaininventory.cpp b/indra/newview/llpanelmaininventory.cpp index 53deded2f2..1ff0bfd091 100755 --- a/indra/newview/llpanelmaininventory.cpp +++ b/indra/newview/llpanelmaininventory.cpp @@ -542,6 +542,13 @@ void LLPanelMainInventory::changed(U32)  	updateItemcountText();  } +void LLPanelMainInventory::setFocusFilterEditor() +{ +	if(mFilterEditor) +	{ +		mFilterEditor->setFocus(true); +	} +}  // virtual  void LLPanelMainInventory::draw() diff --git a/indra/newview/llpanelmaininventory.h b/indra/newview/llpanelmaininventory.h index 394b004e20..fc8cc67c33 100755 --- a/indra/newview/llpanelmaininventory.h +++ b/indra/newview/llpanelmaininventory.h @@ -82,6 +82,9 @@ public:  	void setSelectCallback(const LLFolderView::signal_t::slot_type& cb);  	void onFilterEdit(const std::string& search_string ); + +	void setFocusFilterEditor(); +  protected:  	//  	// Misc functions diff --git a/indra/newview/llpersistentnotificationstorage.cpp b/indra/newview/llpersistentnotificationstorage.cpp index 076c3e0235..d8fc2bee32 100755 --- a/indra/newview/llpersistentnotificationstorage.cpp +++ b/indra/newview/llpersistentnotificationstorage.cpp @@ -77,6 +77,14 @@ void LLPersistentNotificationStorage::saveNotifications()  		}  		data.append(notification->asLLSD(true)); +		if (data.size() >= gSavedSettings.getS32("MaxPersistentNotifications")) +		{ +			llwarns << "Too many persistent notifications." +					<< " Saved " << gSavedSettings.getS32("MaxPersistentNotifications") << " of " << history_channel->size() +					<< " persistent notifications." << llendl; +			break; +		} +  	}  	writeNotifications(output); @@ -97,7 +105,6 @@ void LLPersistentNotificationStorage::loadNotifications()  	}  	mLoaded = true; -  	LLSD input;  	if (!readNotifications(input) ||input.isUndefined())  	{ @@ -115,9 +122,9 @@ void LLPersistentNotificationStorage::loadNotifications()  		findChannelByID(LLUUID(gSavedSettings.getString("NotificationChannelUUID"))));  	LLNotifications& instance = LLNotifications::instance(); - -	for (LLSD::array_const_iterator notification_it = data.beginArray(); -		notification_it != data.endArray(); +	S32 processed_notifications = 0; +	for (LLSD::reverse_array_iterator notification_it = data.rbeginArray(); +		notification_it != data.rendArray();  		++notification_it)  	{  		LLSD notification_params = *notification_it; @@ -136,8 +143,16 @@ void LLPersistentNotificationStorage::loadNotifications()  			// hide saved toasts so they don't confuse the user  			notification_channel->hideToast(notification->getID());  		} +		++processed_notifications; +		if (processed_notifications >= gSavedSettings.getS32("MaxPersistentNotifications")) +		{ +			llwarns << "Too many persistent notifications." +					<< " Processed " << gSavedSettings.getS32("MaxPersistentNotifications") << " of " << data.size() << " persistent notifications." << llendl; +		    break; +		}  	} - +	LLNotifications::instance().getChannel("Persistent")-> +			connectChanged(boost::bind(&LLPersistentNotificationStorage::onPersistentChannelChanged, this, _1));  	LL_INFOS("LLPersistentNotificationStorage") << "finished loading notifications" << LL_ENDL;  } diff --git a/indra/newview/llpreviewtexture.cpp b/indra/newview/llpreviewtexture.cpp index 91a98792eb..1ed48a978f 100755 --- a/indra/newview/llpreviewtexture.cpp +++ b/indra/newview/llpreviewtexture.cpp @@ -36,6 +36,7 @@  #include "llfilepicker.h"  #include "llfloaterreg.h"  #include "llimagetga.h" +#include "llimagepng.h"  #include "llinventory.h"  #include "llnotificationsutil.h"  #include "llresmgr.h" @@ -261,7 +262,7 @@ void LLPreviewTexture::saveAs()  	LLFilePicker& file_picker = LLFilePicker::instance();  	const LLInventoryItem* item = getItem() ; -	if( !file_picker.getSaveFile( LLFilePicker::FFSAVE_TGA, item ? LLDir::getScrubbedFileName(item->getName()) : LLStringUtil::null) ) +	if( !file_picker.getSaveFile( LLFilePicker::FFSAVE_TGAPNG, item ? LLDir::getScrubbedFileName(item->getName()) : LLStringUtil::null) )  	{  		// User canceled or we failed to acquire save file.  		return; @@ -358,14 +359,27 @@ void LLPreviewTexture::onFileLoadedForSave(BOOL success,  	if( self && final && success )  	{ -		LLPointer<LLImageTGA> image_tga = new LLImageTGA; -		if( !image_tga->encode( src ) ) +		const U32 ext_length = 3; +		std::string extension = self->mSaveFileName.substr( self->mSaveFileName.length() - ext_length); + +		// We only support saving in PNG or TGA format +		LLPointer<LLImageFormatted> image; +		if(extension == "png") +		{ +			image = new LLImagePNG; +		} +		else if(extension == "tga") +		{ +			image = new LLImageTGA; +		} + +		if( image && !image->encode( src, 0 ) )  		{  			LLSD args;  			args["FILE"] = self->mSaveFileName;  			LLNotificationsUtil::add("CannotEncodeFile", args);  		} -		else if( !image_tga->save( self->mSaveFileName ) ) +		else if( image && !image->save( self->mSaveFileName ) )  		{  			LLSD args;  			args["FILE"] = self->mSaveFileName; diff --git a/indra/newview/llsidepanelinventory.cpp b/indra/newview/llsidepanelinventory.cpp index 8915bb2fef..cbf43dbb93 100755 --- a/indra/newview/llsidepanelinventory.cpp +++ b/indra/newview/llsidepanelinventory.cpp @@ -397,7 +397,7 @@ void LLSidepanelInventory::onToggleInboxBtn()  void LLSidepanelInventory::onOpen(const LLSD& key)  {  	LLFirstUse::newInventory(false); - +	mPanelMainInventory->setFocusFilterEditor();  #if AUTO_EXPAND_INBOX  	// Expand the inbox if we have fresh items  	LLPanelMarketplaceInbox * inbox = findChild<LLPanelMarketplaceInbox>(MARKETPLACE_INBOX_PANEL); diff --git a/indra/newview/llsidepaneltaskinfo.cpp b/indra/newview/llsidepaneltaskinfo.cpp index ad7c939728..9be6d0c5f1 100755 --- a/indra/newview/llsidepaneltaskinfo.cpp +++ b/indra/newview/llsidepaneltaskinfo.cpp @@ -1170,6 +1170,10 @@ void LLSidepanelTaskInfo::doClickAction(U8 click_action)  			// Warn, but do it anyway.  			LLNotificationsUtil::add("ClickActionNotPayable");  		} +		else +		{ +			handle_give_money_dialog(); +		}  	}  	LLSelectMgr::getInstance()->selectionSetClickAction(click_action);  } diff --git a/indra/newview/llviewerregion.cpp b/indra/newview/llviewerregion.cpp index 778c0ee61a..04ec98d514 100755 --- a/indra/newview/llviewerregion.cpp +++ b/indra/newview/llviewerregion.cpp @@ -232,6 +232,7 @@ public:  		if( mID != regionp->getHttpResponderID() ) // region is no longer referring to this responder  		{  			LL_WARNS2("AppInit", "Capabilities") << "Received results for a stale http responder!" << LL_ENDL; +			regionp->failedSeedCapability();  			return ;  		} diff --git a/indra/newview/llvoicevivox.cpp b/indra/newview/llvoicevivox.cpp index ff73aa5354..9497041482 100755 --- a/indra/newview/llvoicevivox.cpp +++ b/indra/newview/llvoicevivox.cpp @@ -786,7 +786,6 @@ void LLVivoxVoiceClient::stateMachine()  						{  							loglevel = "0";	// turn logging off completely  						} -						loglevel = "0";	// turn logging off completely  						params.args.add("-ll");  						params.args.add(loglevel);  						params.cwd = gDirUtilp->getAppRODataDir(); diff --git a/indra/newview/llvovolume.cpp b/indra/newview/llvovolume.cpp index e3bd2b8621..ed2b18b822 100755 --- a/indra/newview/llvovolume.cpp +++ b/indra/newview/llvovolume.cpp @@ -334,15 +334,9 @@ U32 LLVOVolume::processUpdateMessage(LLMessageSystem *mesgsys,  				if (!mTextureAnimp)  				{  					mTextureAnimp = new LLViewerTextureAnim(this); +					mTexAnimMode = 0;  				} -				else -				{ -					if (!(mTextureAnimp->mMode & LLTextureAnim::SMOOTH)) -					{ -						mTextureAnimp->reset(); -					} -				} -				mTexAnimMode = 0; +				  				mTextureAnimp->unpackTAMessage(mesgsys, block_num);  			}  			else @@ -1481,7 +1475,7 @@ BOOL LLVOVolume::genBBoxes(BOOL force_global)  			continue;  		}  		res &= face->genVolumeBBoxes(*volume, i, -										mRelativeXform,  +										mRelativeXform, mRelativeXformInvTrans,   										(mVolumeImpl && mVolumeImpl->isVolumeGlobal()) || force_global);  		if (rebuild) diff --git a/indra/newview/llworld.cpp b/indra/newview/llworld.cpp index 7996f8a640..103668d051 100755 --- a/indra/newview/llworld.cpp +++ b/indra/newview/llworld.cpp @@ -140,6 +140,7 @@ LLViewerRegion* LLWorld::addRegion(const U64 ®ion_handle, const LLHost &host)  {  	llinfos << "Add region with handle: " << region_handle << " on host " << host << llendl;  	LLViewerRegion *regionp = getRegionFromHandle(region_handle); +	std::string seedUrl;  	if (regionp)  	{  		llinfos << "Region exists, removing it " << llendl; @@ -161,6 +162,9 @@ LLViewerRegion* LLWorld::addRegion(const U64 ®ion_handle, const LLHost &host)  			llwarns << "LLWorld::addRegion exists, but isn't alive" << llendl;  		} +		// Save capabilities seed URL +		seedUrl = regionp->getCapability("Seed"); +  		// Kill the old host, and then we can continue on and add the new host.  We have to kill even if the host  		// matches, because all the agent state for the new camera is completely different.  		removeRegion(old_host); @@ -188,6 +192,11 @@ LLViewerRegion* LLWorld::addRegion(const U64 ®ion_handle, const LLHost &host)  		llerrs << "Unable to create new region!" << llendl;  	} +	if ( !seedUrl.empty() ) +	{ +		regionp->setCapability("Seed", seedUrl); +	} +  	mRegionList.push_back(regionp);  	mActiveRegionList.push_back(regionp);  	mCulledRegionList.push_back(regionp); diff --git a/indra/newview/llworldmap.cpp b/indra/newview/llworldmap.cpp index 5fa380e0e3..fd9cdd95a3 100755 --- a/indra/newview/llworldmap.cpp +++ b/indra/newview/llworldmap.cpp @@ -518,10 +518,17 @@ bool LLWorldMap::insertItem(U32 x_world, U32 y_world, std::string& name, LLUUID&  		case MAP_ITEM_LAND_FOR_SALE:		// land for sale  		case MAP_ITEM_LAND_FOR_SALE_ADULT:	// adult land for sale   		{ +			F32 cost_per_sqm = 0.0f; +			if ((F32)extra > 0) +			{ +				cost_per_sqm = (F32)extra2 / (F32)extra; +			} +  			static LLUIString tooltip_fmt = LLTrans::getString("worldmap_item_tooltip_format");  			tooltip_fmt.setArg("[AREA]",  llformat("%d", extra));  			tooltip_fmt.setArg("[PRICE]", llformat("%d", extra2)); +			tooltip_fmt.setArg("[PRICE_PER_SQM]", llformat("%.1f", cost_per_sqm));  			new_item.setTooltip(tooltip_fmt.getString());  			if (type == MAP_ITEM_LAND_FOR_SALE) diff --git a/indra/newview/skins/default/textures/textures.xml b/indra/newview/skins/default/textures/textures.xml index 54f60f4441..8830445a81 100755 --- a/indra/newview/skins/default/textures/textures.xml +++ b/indra/newview/skins/default/textures/textures.xml @@ -152,6 +152,7 @@ with the same filename but different name    <texture name="Command_Speak_Icon"        file_name="toolbar_icons/speak.png"        preload="true" />    <texture name="Command_View_Icon"         file_name="toolbar_icons/view.png"         preload="true" />    <texture name="Command_Voice_Icon"        file_name="toolbar_icons/nearbyvoice.png"  preload="true" /> +  <texture name="Command_Highlighting_Icon" file_name="toolbar_icons/highlighting.png" preload="true" />    <texture name="Caret_Bottom_Icon"         file_name="toolbar_icons/caret_bottom.png" preload="true" scale.left="1" scale.top="23" scale.right="15" scale.bottom="1" />    <texture name="Caret_Right_Icon"          file_name="toolbar_icons/caret_right.png"  preload="true" scale.left="5" scale.top="15" scale.right="28" scale.bottom="1" />    <texture name="Caret_Left_Icon"           file_name="toolbar_icons/caret_left.png"   preload="true" scale.left="1" scale.top="15" scale.right="23" scale.bottom="1" /> diff --git a/indra/newview/skins/default/textures/toolbar_icons/highlighting.png b/indra/newview/skins/default/textures/toolbar_icons/highlighting.pngBinary files differ new file mode 100644 index 0000000000..093bace257 --- /dev/null +++ b/indra/newview/skins/default/textures/toolbar_icons/highlighting.png diff --git a/indra/newview/skins/default/xui/en/floater_web_content.xml b/indra/newview/skins/default/xui/en/floater_web_content.xml index cea10adca8..4ba056f904 100755 --- a/indra/newview/skins/default/xui/en/floater_web_content.xml +++ b/indra/newview/skins/default/xui/en/floater_web_content.xml @@ -125,11 +125,10 @@        <icon          name="media_secure_lock_flag"          height="16" -        follows="top|right"          image_name="Lock2"          layout="topleft" -        left_delta="620" -        top_delta="2" +        left_delta="4" +        top="2"          visible="false"           tool_tip="Secured Browsing"          width="16" /> diff --git a/indra/newview/skins/default/xui/en/menu_viewer.xml b/indra/newview/skins/default/xui/en/menu_viewer.xml index 60272887c9..cea8c6f593 100755 --- a/indra/newview/skins/default/xui/en/menu_viewer.xml +++ b/indra/newview/skins/default/xui/en/menu_viewer.xml @@ -1297,19 +1297,19 @@       tear_off="true">          <menu_item_call           label="How to..." -         name="How To"> +         name="How To" +         shortcut="F1">              <menu_item_call.on_click               function="Help.ToggleHowTo"               parameter="" />          </menu_item_call>          <menu_item_call -         label="[SECOND_LIFE] Help" -         name="Second Life Help" -         shortcut="F1"> -            <menu_item_call.on_click -             function="ShowHelp" -             parameter="f1_help" /> -        </menu_item_call> +           label="Quickstart" +           name="Quickstart"> +        <menu_item_call.on_click +            function="Advanced.ShowURL" +            parameter="http://community.secondlife.com/t5/English-Knowledge-Base/Second-Life-Quickstart/ta-p/1087919"/> +        </menu_item_call>                <!--        <menu_item_call           label="Tutorial"           name="Tutorial"> @@ -1318,21 +1318,13 @@               parameter="hud" />          </menu_item_call>-->  		<menu_item_separator/> -		 -		<menu_item_call -             label="User’s guide" -             name="User’s guide"> -             <menu_item_call.on_click -                 function="Advanced.ShowURL" -                 parameter="http://community.secondlife.com/t5/English-Knowledge-Base/Second-Life-User-s-Guide/ta-p/1244857"/> -        </menu_item_call> -        <menu_item_call -             label="Knowledge Base" -             name="Knowledge Base"> -             <menu_item_call.on_click -                 function="Advanced.ShowURL" -                 parameter="http://community.secondlife.com/t5/tkb/communitypage"/> -        </menu_item_call> +      <menu_item_call +           label="Knowledge Base" +           name="Knowledge Base"> +        <menu_item_call.on_click +            function="Advanced.ShowURL" +            parameter="http://community.secondlife.com/t5/English-Knowledge-Base/Second-Life-User-s-Guide/ta-p/1244857"/> +      </menu_item_call>          <menu_item_call               label="Wiki"               name="Wiki"> diff --git a/indra/newview/skins/default/xui/en/notifications.xml b/indra/newview/skins/default/xui/en/notifications.xml index 69b7fe5a75..9894136808 100755 --- a/indra/newview/skins/default/xui/en/notifications.xml +++ b/indra/newview/skins/default/xui/en/notifications.xml @@ -3481,7 +3481,7 @@ or you can install it now.     name="DownloadBackgroundTip"     type="notify">  We have downloaded an update to your [APP_NAME] installation. -Version [VERSION] [[RELEASE_NOTES_FULL_URL] Information about this update] +Version [VERSION] [[INFO_URL] Information about this update]      <tag>confirm</tag>      <usetemplate       name="okcancelbuttons" @@ -3493,8 +3493,8 @@ Version [VERSION] [[RELEASE_NOTES_FULL_URL] Information about this update]   icon="alertmodal.tga"   name="DownloadBackgroundDialog"   type="alertmodal"> -We have downloaded an update to your [APP_NAME] installation. -Version [VERSION] [[RELEASE_NOTES_FULL_URL] Information about this update] +    We have downloaded an update to your [APP_NAME] installation. +    Version [VERSION] [[INFO_URL] Information about this update]      <tag>confirm</tag>      <usetemplate       name="okcancelbuttons" @@ -6309,13 +6309,22 @@ You can only claim public land in the Region you're in.    <notification     icon="notify.tga"     name="RegionTPAccessBlocked" -   persist="true" +   persist="false"     type="notify">     <tag>fail</tag>      The region you're trying to visit contains content exceeding your current preferences.  You can change your preferences using Me > Preferences > General.    </notification>    <notification +   icon="notify.tga" +   name="RegionAboutToShutdown" +   persist="false" +   type="notify"> +    <tag>fail</tag> +    The region you're trying to enter is about to shut down. +  </notification> +   +  <notification  	icon="notify.tga"  	name="URBannedFromRegion"     persist="true" @@ -6841,7 +6850,7 @@ This will add a bookmark in your inventory so you can quickly IM this Resident.     priority="high"     sound="UISndAlert"     type="notify"> -This region will restart in [MINUTES] minutes. +The region "[NAME]" will restart in [MINUTES] minutes.  If you stay in this region you will be logged out.    </notification> @@ -6851,7 +6860,7 @@ If you stay in this region you will be logged out.     priority="high"     sound="UISndAlert"     type="notify"> -This region will restart in [SECONDS] seconds. +The region "[NAME]" will restart in [SECONDS] seconds.  If you stay in this region you will be logged out.    </notification> @@ -8734,11 +8743,11 @@ You are no longer allowed here and have [EJECT_TIME] seconds to leave.    <notification     icon="alertmodal.tga" -   name="NoEnterServerFull" +   name="NoEnterRegionMaybeFull"     type="notify">     <tag>fail</tag> -You can't enter this region because  -the server is full. +You can't enter region "[NAME]". +It may be full or restarting soon.    </notification>    <notification diff --git a/indra/newview/skins/default/xui/en/panel_people.xml b/indra/newview/skins/default/xui/en/panel_people.xml index ed274d0233..20b20f722b 100755 --- a/indra/newview/skins/default/xui/en/panel_people.xml +++ b/indra/newview/skins/default/xui/en/panel_people.xml @@ -66,7 +66,8 @@ Looking for people to hang out with? Try the [secondlife:///app/worldmap World M       tab_position="top"       top="0"       halign="center" -     right="-5"> +     right="-5" +     use_highlighting_on_hover="true">  <!-- ================================= NEARBY tab =========================== --> diff --git a/indra/newview/skins/default/xui/en/strings.xml b/indra/newview/skins/default/xui/en/strings.xml index 1c46cec479..2bff018710 100755 --- a/indra/newview/skins/default/xui/en/strings.xml +++ b/indra/newview/skins/default/xui/en/strings.xml @@ -379,7 +379,7 @@ Please try logging in again in a minute.</string>  	<!-- world map -->  	<string name="texture_loading">Loading...</string>  	<string name="worldmap_offline">Offline</string> -	<string name="worldmap_item_tooltip_format">[AREA] m² L$[PRICE]</string> +	<string name="worldmap_item_tooltip_format">[AREA] m² L$[PRICE] (L$[PRICE_PER_SQM]/m²)</string>  	<string name="worldmap_results_none_found">None found.</string>  	<!-- animations uploading status codes --> @@ -448,6 +448,8 @@ Please try logging in again in a minute.</string>  	<string name="load_file_verb">Load</string>  	<string name="targa_image_files">Targa Images</string>  	<string name="bitmap_image_files">Bitmap Images</string> +	<string name="png_image_files">PNG Images</string> +	<string name="save_texture_image_files">Targa or PNG Images</string>  	<string name="avi_movie_file">AVI Movie File</string>  	<string name="xaf_animation_file">XAF Anim File</string>  	<string name="xml_file">XML File</string> diff --git a/indra/newview/skins/default/xui/en/widgets/tab_container.xml b/indra/newview/skins/default/xui/en/widgets/tab_container.xml index 0586119681..9559be214a 100755 --- a/indra/newview/skins/default/xui/en/widgets/tab_container.xml +++ b/indra/newview/skins/default/xui/en/widgets/tab_container.xml @@ -24,17 +24,26 @@ label_pad_left - padding to the left of tab button labels                 tab_bottom_image_unselected="Toolbar_Left_Off"                 tab_bottom_image_selected="Toolbar_Left_Selected"                 tab_left_image_unselected="SegmentedBtn_Left_Disabled" -               tab_left_image_selected="SegmentedBtn_Left_Selected_Over"/> +               tab_left_image_selected="SegmentedBtn_Left_Selected_Over" +               tab_top_image_hovered="TabTop_Left_Selected" +               tab_button_image_hovered="Toolbar_Left_Selected" +               tab_left_image_hovered="SegmentedBtn_Left_Selected_Over"/>    <middle_tab tab_top_image_unselected="TabTop_Middle_Off"                 tab_top_image_selected="TabTop_Middle_Selected"                 tab_bottom_image_unselected="Toolbar_Middle_Off"                 tab_bottom_image_selected="Toolbar_Middle_Selected"                 tab_left_image_unselected="SegmentedBtn_Left_Disabled" -               tab_left_image_selected="SegmentedBtn_Left_Selected_Over"/> +               tab_left_image_selected="SegmentedBtn_Left_Selected_Over" +               tab_top_image_hovered="TabTop_Middle_Selected" +               tab_button_image_hovered="Toolbar_Middle_Selected" +               tab_left_image_hovered="SegmentedBtn_Left_Selected_Over"/>    <last_tab tab_top_image_unselected="TabTop_Right_Off"                 tab_top_image_selected="TabTop_Right_Selected"                 tab_bottom_image_unselected="Toolbar_Right_Off"                 tab_bottom_image_selected="Toolbar_Right_Selected"                 tab_left_image_unselected="SegmentedBtn_Left_Disabled" -               tab_left_image_selected="SegmentedBtn_Left_Selected_Over"/> +               tab_left_image_selected="SegmentedBtn_Left_Selected_Over" +               tab_top_image_hovered="TabTop_Right_Selected" +               tab_button_image_hovered="Toolbar_Right_Selected" +               tab_left_image_hovered="SegmentedBtn_Left_Selected_Over"/>  </tab_container> | 
