clicked_branch_link always equals false - react-native

I'm having issues getting Branch to recognize that I clicked on a branch link.
I'm launching the following from hangouts: mens-essentials-mag.test-app.link
I get "+is_first_session":true
but always "+clicked_branch_link":false
Things I've done:
In my Activity:
#Override
protected void onStart() {
super.onStart();
Branch.getTestInstance(this).initSession(new Branch.BranchReferralInitListener() {
#Override
public void onInitFinished(JSONObject referringParams, BranchError error) {
if (error == null) {
Log.i("BRANCH SDK", referringParams.toString());
} else {
Log.i("BRANCH SDK", error.getMessage());
}
}
}, this.getIntent().getData(), this);
}
In my Application:
// Branch logging for debugging
Branch.enableLogging();
// Branch object initialization
Branch.getAutoTestInstance(this);
In Manifest:
<!-- Branch App Links (optional) -->
<intent-filter android:autoVerify="true">
<action android:name="android.intent.action.VIEW" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.BROWSABLE" />
<data android:scheme="https" android:host="mens-essentials-mag.test-app.link" />
<data android:scheme="https" android:host="mens-essentials-mag-alternate.test-app.link" />
</intent-filter>
and
<!-- Branch init -->
<meta-data android:name="io.branch.sdk.BranchKey" android:value="key_live_[myLiveKey]" />
<meta-data android:name="io.branch.sdk.BranchKey.test" android:value="key_test_[myTestKey]" />
<meta-data android:name="io.branch.sdk.TestMode" android:value="true" /> <!-- Set to true to use Branch_Test_Key -->
<!-- Branch install referrer tracking (optional) -->
<receiver android:name="io.branch.referral.InstallListener" android:exported="true">
<intent-filter>
<action android:name="com.android.vending.INSTALL_REFERRER" />
</intent-filter>
</receiver>
Also, I used this:
branch.initSessionTtl = 10000;
branch.subscribe(({error, params}) => {
if (error) {
console.log('Error from Branch: ' + error);
return;
} else if (params?.provider_group?.allow_patient_registration_app) {
this.setState({
showSignUp: params?.provider_group?.allow_patient_registration_app,
});
this.props.navigation.navigate('Signup');
}
console.log('Received link response from Branch', params);
});
let lastParams = await branch.getLatestReferringParams();
console.log('Received link response from Branch', lastParams);

Related

Denied permission for ContentProvider

I have two applications that I want to send data between, lets call them ProviderApp and ResolverApp.
In the ProviderApp I have a Content Provider. Here is the AndroidManifest file for this app.
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.rewardreacher">
<permission android:name="android.permission.READ_GOALS"
/>
<application
android:allowBackup="true"
android:icon="#mipmap/ic_launcher_reward"
android:label="#string/app_name"
android:roundIcon="#mipmap/ic_launcher_reward_round"
android:supportsRtl="true"
android:theme="#style/Theme.RewardReacher">
<provider
android:name=".provider.MyContentProvider"
android:authorities="com.example.rewardreacher.provider.MyContentProvider"
android:readPermission="android.permission.READ_GOALS"
android:multiprocess="true"
android:enabled="true"
android:exported="true">
</provider>
<activity
android:name=".MainActivity"
android:exported="true">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
Now I am trying to access this data from ResolverApp using this AndroidManifest
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android" package="com.example.workouttracker">
<uses-permission android:name="android.permission.READ_GOALS"/>
<queries>
<provider android:authorities="com.example.rewardreacher.provider.MyContentProvider"/>
</queries>
<application
android:allowBackup="true"
android:icon="#mipmap/ic_launcher_workout"
android:label="#string/app_name"
android:roundIcon="#mipmap/ic_launcher_workout_round"
android:supportsRtl="true"
android:theme="#style/Theme.WorkoutTracker">
<activity
android:name=".MainActivity"
android:exported="true">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
And MainActivity
package com.example.workouttracker
import android.Manifest
import android.annotation.SuppressLint
import android.content.ContentValues.TAG
import android.content.pm.PackageManager
import android.net.Uri
import android.os.Build
import android.os.Bundle
import android.util.Log
import android.view.View
import android.widget.TextView
import androidx.appcompat.app.AppCompatActivity
import androidx.core.app.ActivityCompat
class MainActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
}
private fun isStoragePermissionGranted(): Boolean {
return if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
if (checkSelfPermission(Manifest.permission.READ_EXTERNAL_STORAGE)
== PackageManager.PERMISSION_GRANTED
) {
Log.v(TAG, "Permission is granted")
true
} else {
Log.v(TAG, "Permission is revoked")
ActivityCompat.requestPermissions(
this,
arrayOf(Manifest.permission.READ_EXTERNAL_STORAGE),
1
)
false
}
} else { //permission is automatically granted on sdk<23 upon installation
Log.v(TAG, "Permission is granted")
true
}
}
#SuppressLint("Range")
override fun onRequestPermissionsResult(
requestCode: Int,
permissions: Array<String>,
grantResults: IntArray
) {
super.onRequestPermissionsResult(requestCode, permissions, grantResults)
if (grantResults.size > 0 && grantResults[0] == PackageManager.PERMISSION_GRANTED) {
Log.v(TAG, "Permission: " + permissions[0] + "was " + grantResults[0])
val resultView = findViewById<View>(R.id.res) as TextView
val cursor = contentResolver.query(CONTENT_URI, null, null, null, null)
if (cursor!!.moveToFirst()) {
val strBuild = StringBuilder()
while (!cursor.isAfterLast) {
strBuild.append("""
${cursor.getString(cursor.getColumnIndex("id"))} - ${cursor.getString(cursor.getColumnIndex("name"))} - ${cursor.getString(cursor.getColumnIndex("frequency"))} - ${cursor.getString(cursor.getColumnIndex("performed"))}
""".trimIndent())
cursor.moveToNext()
}
resultView.text = strBuild
} else {
resultView.text = "No Records Found"
}
}
}
var CONTENT_URI = Uri.parse("content://com.example.rewardreacher.provider.MyContentProvider/goals")
#SuppressLint("Range")
fun onClickShowDetails(view: View?) {
// inserting complete table details in this text field
isStoragePermissionGranted()
// creating a cursor object of the
// content URI
}
}
But I keep getting "Permission is revoked" from the isStoragePermissionGranted()...
What am I doing wrong?

com.google.android.gms.vision.ica not found

com.google.android.gms.vision.ica not found.
W/DynamiteModule: Local module descriptor class for com.google.android.gms.vision.ica not found.
I/DynamiteModule: Considering local module com.google.android.gms.vision.ica:0 and remote module com.google.android.gms.vision.ica:0
AndroidManifest.xml file
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.vt.shoppet">
<uses-permission android:name="android.permission.ACCESS_NETWORK_STATE" />
<uses-permission android:name="android.permission.CAMERA" />
<uses-permission android:name="android.permission.INTERNET" />
<application
android:name=".ShopPetApp"
android:allowBackup="false"
android:icon="#mipmap/ic_launcher"
android:label="#string/app_name"
android:roundIcon="#mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="#style/AppTheme">
<activity
android:name=".ui.MainActivity"
android:exported="true"
android:theme="#style/SplashTheme"
android:windowSoftInputMode="adjustPan">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
<intent-filter>
<action android:name="MainActivity" />
<category android:name="android.intent.category.DEFAULT" />
</intent-filter>
</activity>
<provider
android:name="androidx.core.content.FileProvider"
android:authorities="${applicationId}.provider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="#xml/provider_paths"/>
</provider>
<meta-data
android:name="com.google.firebase.messaging.default_notification_icon"
android:resource="#drawable/ic_pet" />
<meta-data
android:name="com.google.firebase.messaging.default_notification_color"
android:resource="#color/colorAccent" />
<meta-data
android:name="com.google.firebase.messaging.default_notification_channel_id"
android:value="#string/menu_item_chat" />
<meta-data android:name="com.google.mlkit.vision.DEPENDENCIES" android:value="ica" />
<meta-data android:name="com.google.android.gms.vision.DEPENDENCIES" android:value="ica"/>
<meta-data
android:name="firebase_performance_logcat_enabled"
android:value="true" />
<service
android:name=".MessagingService"
android:exported="false"
android:permission="android.permission.INTERNET">
<intent-filter>
<action android:name="com.google.firebase.MESSAGING_EVENT" />
</intent-filter>
</service>
</application>
</manifest>
Build in Project
// Top-level build file where you can add configuration options common to all sub-projects/modules.
buildscript {
repositories {
google()
mavenCentral()
}
dependencies {
classpath(kotlin("gradle-plugin", "1.5.30"))
classpath("com.android.tools.build:gradle:7.0.2")
classpath("androidx.navigation:navigation-safe-args-gradle-plugin:2.3.5")
classpath("com.google.dagger:hilt-android-gradle-plugin:2.38.1")
classpath("com.google.gms:google-services:4.3.10")
classpath("com.google.firebase:firebase-crashlytics-gradle:2.7.1")
classpath("com.google.firebase:perf-plugin:1.4.0")
// NOTE: Do not place your application dependencies here; they belong
// in the individual module build.gradle files
}
}
allprojects {
repositories {
google()
mavenCentral()
}
}
tasks {
register("clean", Delete::class) {
delete(rootProject.buildDir)
}
}
built in app
plugins {
id("com.android.application")
kotlin("android")
kotlin("kapt")
id("com.google.gms.google-services")
id("com.google.firebase.crashlytics")
id("com.google.firebase.firebase-perf")
id("dagger.hilt.android.plugin")
id("androidx.navigation.safeargs.kotlin")
}
android {
compileSdk = 31
buildToolsVersion = "31.0.0"
ndkVersion = "23.0.75998587"
defaultConfig {
applicationId = "com.vt.shoppet"
minSdk = 23
targetSdk = 31
versionCode = 1
versionName = "1.0"
}
buildTypes {
release {
isMinifyEnabled = true
isShrinkResources = true
proguardFiles(
getDefaultProguardFile("proguard-android-optimize.txt"),
"proguard-rules.pro"
)
}
}
compileOptions {
isCoreLibraryDesugaringEnabled = true
sourceCompatibility = JavaVersion.VERSION_11
targetCompatibility = JavaVersion.VERSION_11
}
kotlinOptions {
jvmTarget = JavaVersion.VERSION_11.toString()
freeCompilerArgs = listOf("-Xopt-in=kotlinx.coroutines.ExperimentalCoroutinesApi")
}
buildFeatures {
viewBinding = true
}
lint {
isCheckDependencies = true
isCheckGeneratedSources = true
}
splits {
abi {
isEnable = true
isUniversalApk = true
}
}
}
dependencies {
// Kotlin / Java
coreLibraryDesugaring("com.android.tools:desugar_jdk_libs:1.1.5")
implementation("org.jetbrains.kotlinx:kotlinx-coroutines-android:1.5.2")
implementation("org.jetbrains.kotlinx:kotlinx-coroutines-play-services:1.5.2")
// Android Architecture Components
implementation("androidx.activity:activity-ktx:1.4.0")
implementation("androidx.appcompat:appcompat:1.4.0")
implementation("androidx.constraintlayout:constraintlayout:2.1.2")
implementation("androidx.coordinatorlayout:coordinatorlayout:1.1.0")
implementation("androidx.drawerlayout:drawerlayout:1.1.1")
implementation("androidx.core:core-ktx:1.7.0")
implementation("androidx.fragment:fragment-ktx:1.4.0")
implementation("androidx.preference:preference-ktx:1.1.1")
implementation("androidx.recyclerview:recyclerview:1.2.1")
kapt("androidx.hilt:hilt-compiler:1.0.0")
// CameraX
val cameraVersion = "1.0.1"
implementation("androidx.camera:camera-camera2:$cameraVersion")
implementation("androidx.camera:camera-core:$cameraVersion")
implementation("androidx.camera:camera-lifecycle:$cameraVersion")
implementation("androidx.camera:camera-view:1.0.0-alpha31")
// Firebase
implementation(platform("com.google.firebase:firebase-bom:28.4.1"))
implementation("com.google.firebase:firebase-analytics-ktx")
implementation("com.google.firebase:firebase-auth-ktx")
implementation("com.google.firebase:firebase-core")
implementation("com.google.firebase:firebase-crashlytics-ktx")
implementation("com.google.firebase:firebase-firestore-ktx")
implementation("com.google.firebase:firebase-iid")
implementation("com.google.firebase:firebase-messaging")
implementation("com.google.firebase:firebase-perf-ktx")
implementation("com.google.firebase:firebase-storage-ktx")
implementation ("org.tensorflow:tensorflow-lite:1.13.1")
// ML Kit
implementation("com.google.android.gms:play-services-mlkit-image-labeling:16.0.5")
// Firebase UI
val firebaseUiVersion = "8.0.0"
implementation("com.firebaseui:firebase-ui-firestore:$firebaseUiVersion")
implementation("com.firebaseui:firebase-ui-storage:$firebaseUiVersion")
// Glide
val glideVersion = "4.12.0"
implementation("com.github.bumptech.glide:glide:$glideVersion")
kapt("com.github.bumptech.glide:compiler:$glideVersion")
// Hilt
val hiltAndroidVersion = "2.38.1"
implementation("com.google.dagger:hilt-android:$hiltAndroidVersion")
kapt("com.google.dagger:hilt-android-compiler:$hiltAndroidVersion")
// Lifecycle
val lifecycleVersion = "2.3.1"
implementation("androidx.lifecycle:lifecycle-common-java8:$lifecycleVersion")
implementation("androidx.lifecycle:lifecycle-livedata-ktx:$lifecycleVersion")
implementation("androidx.lifecycle:lifecycle-process:$lifecycleVersion")
implementation("androidx.lifecycle:lifecycle-runtime-ktx:$lifecycleVersion")
implementation("androidx.lifecycle:lifecycle-viewmodel-ktx:$lifecycleVersion")
// Material Components
implementation("com.google.android.material:material:1.4.0")
// Navigation Component
val navigationVersion = "2.3.5"
implementation("androidx.navigation:navigation-fragment-ktx:$navigationVersion")
implementation("androidx.navigation:navigation-ui-ktx:$navigationVersion")
}
kapt {
correctErrorTypes = true
}
hilt {
enableAggregatingTask = true
}

React Native Redirect to application if installed, otherwise to App Store or PlayStore

I want to redirect on press of app link as:-
To playstore or AppStore if app is not installed.
Open my app (with deep linking) if app is installed.
What I have done till now:-
I have achieved requirement 2 using deep linking of react navigation 5.
As:-
import constants from '../../constants';
const config = {
screens: {
//SignInScreen: "SignInScreen",
SignupScreen: {
path: `${constants.Screens.SignUpScreen.name}/:id`,
parse: {
id: (id) => `${id}`,
},
}
},
};
const linking = {
prefixes: ["http://com.app"],
config,
};
export default linking;
App.js:-
<NavigationContainer linking={linking} ref={navigationRef}>
{
props.global.switchApp.isLoading ?
<SplashStack />
:
(
props.global.user.accessToken !== null ?
<AppStack /> :
<AuthStack />
)
}
</NavigationContainer>
And with respective changes in AndroidManifest.xml as:-
<intent-filter>
<action android:name="android.intent.action.VIEW" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.BROWSABLE" />
<data
android:host="com.app"
android:scheme="http" />
</intent-filter>
and adding url type in target of project.
And In Appdelegate.m file as:-
- (BOOL)application:(UIApplication *)application
openURL:(NSURL *)url
options:(NSDictionary<UIApplicationOpenURLOptionsKey,id> *)options {
// Add any custom logic here.
BOOL deepLinking = [RCTLinkingManager application:application openURL:url options:options];
return deepLinking;
}
How can I achieve requirement 1 while using this?
Thanks!!!
To open an app or open an app store or play store, on an app link click if the app not installed, try the firebase dynamic linking feature.
Check out the docs for more info.
https://rnfirebase.io/dynamic-links/usage

Android Facebook SDK Login exception

I am following the tutorial of the official android SDK,and try to write a simple log in program.
So what I did is..
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.logintutorial"
android:versionCode="1"
android:versionName="1.0" >
<uses-sdk
android:minSdkVersion="8"
android:targetSdkVersion="20" />
<application
android:allowBackup="true"
android:icon="#drawable/ic_launcher"
android:label="#string/app_name"
android:theme="#style/AppTheme" >
<activity
android:name=".MainActivity"
android:label="#string/app_name" >
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
<meta-data
android:name="com.facebook.sdk.ApplicationId"
android:value="#string/app_id"/>
</manifest>
The MainActivity simply uses fragment transaction.
import android.support.v7.app.ActionBarActivity;
import android.os.Bundle;
import android.view.Menu;
import android.view.MenuItem;
import android.os.Bundle;
import android.support.v4.app.FragmentActivity;
import android.view.Menu;
public class MainActivity extends FragmentActivity {
private MainFragment mainFragment;
#Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
if (savedInstanceState == null) {
// Add the fragment on initial activity setup
mainFragment = new MainFragment();
getSupportFragmentManager()
.beginTransaction()
.add(android.R.id.content, mainFragment)
.commit();
} else {
// Or set the fragment from restored state info
mainFragment = (MainFragment) getSupportFragmentManager()
.findFragmentById(android.R.id.content);
}
}
}
The MainFragment class is used for the Session Management with the help of the UiLifecyleHelper and the Session.StatusCallBack class.
import android.content.Intent;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import com.facebook.Session;
import com.facebook.SessionState;
import com.facebook.UiLifecycleHelper;
import com.facebook.widget.LoginButton;
public class MainFragment extends Fragment {
private static final String TAG = "MainFragment";
private UiLifecycleHelper uiHelper;
private Session.StatusCallback callback = new Session.StatusCallback() {
#Override
public void call(final Session session, final SessionState state, final Exception exception)
{
onSessionStateChange(session, state, exception);
}
};
#Override
public View onCreateView(LayoutInflater inflater,
ViewGroup container,
Bundle savedInstanceState) {
View view = inflater.inflate(R.layout.activity_main, container, false);
LoginButton authButton = (LoginButton) view.findViewById(R.id.authButton);
authButton.setFragment(this);
//authButton.setReadPermissions(Arrays.asList("user_likes", "user_status"));
return view;
}
#Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
uiHelper = new UiLifecycleHelper(getActivity(), callback);
uiHelper.onCreate(savedInstanceState);
}
#Override
public void onResume() {
super.onResume();
// For scenarios where the main activity is launched and user
// session is not null, the session state change notification
// may not be triggered. Trigger it if it's open/closed.
Session session = Session.getActiveSession();
if (session != null &&
(session.isOpened() || session.isClosed()) ) {
onSessionStateChange(session, session.getState(), null);
}
uiHelper.onResume();
}
#Override
public void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
uiHelper.onActivityResult(requestCode, resultCode, data);
}
#Override
public void onPause() {
super.onPause();
uiHelper.onPause();
}
#Override
public void onDestroy() {
super.onDestroy();
uiHelper.onDestroy();
}
#Override
public void onSaveInstanceState(Bundle outState) {
super.onSaveInstanceState(outState);
uiHelper.onSaveInstanceState(outState);
}
private void onSessionStateChange(Session session, SessionState state, Exception exception) {
if (state.isOpened()) {
Log.i(TAG, "Logged in...");
} else if (state.isClosed()) {
Log.i(TAG, "Logged out...");
}
}
}
Also the main activity's xml file...
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<com.facebook.widget.LoginButton
android:id="#+id/authButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_gravity="center_horizontal"
android:layout_marginTop="30dp"
/>
</LinearLayout>
and finally I put the app id in the string.xml file as
<?xml version="1.0" encoding="utf-8"?>
<resources>
<string name="app_name">Login Tutorial</string>
<string name="hello_world">Hello world!</string>
<string name="action_settings">Settings</string>
<string name="app_id">XXX6999249XXXXX</string>
</resources>
When I run it, I get the following exception.
11-10 13:01:46.784: E/AndroidRuntime(31157): FATAL EXCEPTION: main
11-10 13:01:46.784: E/AndroidRuntime(31157): java.lang.RuntimeException:
Unable to start activity
ComponentInfo{com.example.logintutorial/com.example.logintutorial.MainActivity}:
java.lang.NullPointerException: Argument 'applicationId' cannot be null
The metadata tag has to be inside the application tag and not outside!. Change manifest to:
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.logintutorial"
android:versionCode="1"
android:versionName="1.0" >
<uses-sdk
android:minSdkVersion="8"
android:targetSdkVersion="20" />
<application
android:allowBackup="true"
android:icon="#drawable/ic_launcher"
android:label="#string/app_name"
android:theme="#style/AppTheme" >
<activity
android:name=".MainActivity"
android:label="#string/app_name" >
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<meta-data
android:name="com.facebook.sdk.ApplicationId"
android:value="#string/app_id"/>
</application>
</manifest>

System.ArgumentOutOfRangeException: Index must be within the bounds of the List

So i am using kendo UI in my MVC project and i am using grid to display the data.But i am keep getting this error.
My Controller:
[ActionName("session-confirm")]
public ActionResult SessionConfirm()
{
AddSessionViewModel objviewmodel = new AddSessionViewModel();
List<ErrorListViewModel> objError = new List<ErrorListViewModel>();
var ErrorList = TempData["ErrorArry"] as List<String>;
//int i = 0;
for (var i = 0; i < ErrorList.Count; i = i + 5)
{
objError.Add(new ErrorListViewModel
{
Child = ErrorList[i],
Error1 = ErrorList[i+1],
Error2 = ErrorList[i+2],
Error3 = ErrorList[i+3],
Error4 = ErrorList[i+4]
});
}
objviewmodel.ErrorArry = objError;
return View(objviewmodel);
[Update]
Even i tired replacing my controller with this:
string sid = "6";
var ResultinComplete = db.sp_get_MandateInfo(sid).ToList();
foreach (var list in ResultinComplete)
{
objError.Add(new ErrorListViewModel
{
Child = list.GroupSize,
Error1 = list.Language,
Error2 = list.Location,
Error3 = list.Frequency
});
}
My View is:
#(Html.Kendo().Grid(Model.ErrorArry)
.Name("Grid")
.Columns(Columns =>
{
Columns.Bound(m => m.Child).Width(200).Title("Child");
Columns.Bound(m => m.Error1).Width(200).Title("Group Size")
.Template(#<text>
#if (!string.IsNullOrEmpty(item.Error1))
{
<span >#TempData["Group"]</span>
}
else
{
<span style="color:Red;">#TempData["Group"]</span>
}
</text>);
Columns.Bound(m => m.Error2).Width(200).Title("Duration")
.Template(#<text>
#if (!string.IsNullOrEmpty(item.Error2))
{
<span >#TempData["Duration"]</span>
}
else
{
<span style="color:Red;">#TempData["Duration"]</span>
}
</text>);
Columns.Bound(m => m.Error3).Width(200).Title("Language")
.Template(#<text>
#if (!string.IsNullOrEmpty(item.Error3))
{
<span >#TempData["Language"]</span>
}
else
{
<span style="color:Red;">#TempData["Language"]</span>
}
</text>);
})
.Pageable(pageable => pageable
.Refresh(true)
.PageSizes(true)
.ButtonCount(5))
.Sortable()
)
I check the Kendo UI reference and it was fine, In my code i have TempDate["ErrorArry"] which is nx5 array dumped into TempData.
I saw few solutions regarding web.config setting but didnt worked for me.
i added
<runtime>
<assemblyBinding xmlns="urn:schemas-microsoft-com:asm.v1">
<dependentAssembly>
<assemblyIdentity name="System.Web.Mvc" publicKeyToken="31bf3856ad364e35" />
<bindingRedirect oldVersion="1.0.0.0-4.0.0.0" newVersion="4.0.0.0" />
</dependentAssembly>
</assemblyBinding>
</runtime>
but was getting web.config error on page.I guess it because i have this line already in my web.config file
<compilation debug="true" targetFramework="4.5">
<assemblies>
<add assembly="System.Data.Entity,oldVersion=1.0.0.0-4.0.0, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" />
</assemblies>
</compilation>
Anyone have any idea whats the issue?